orionis 0.442.0__py3-none-any.whl → 0.444.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- orionis/console/args/__init__.py +0 -0
- orionis/console/args/argument.py +343 -0
- orionis/console/args/enums/__init__.py +0 -0
- orionis/console/args/enums/actions.py +43 -0
- orionis/console/args/parser.py +6 -0
- orionis/console/commands/version.py +19 -4
- orionis/foundation/providers/inspirational_provider.py +61 -0
- orionis/foundation/providers/testing_provider.py +39 -2
- orionis/metadata/framework.py +1 -1
- orionis/services/inspirational/__init__.py +0 -0
- orionis/services/inspirational/contracts/inspire.py +15 -0
- orionis/services/inspirational/inspire.py +104 -0
- orionis/services/inspirational/quotes.py +363 -0
- orionis/support/facades/inspire.py +20 -0
- orionis/test/core/unit_test.py +134 -5
- orionis/test/kernel.py +30 -83
- orionis/test/validators/workers.py +2 -2
- {orionis-0.442.0.dist-info → orionis-0.444.0.dist-info}/METADATA +1 -1
- {orionis-0.442.0.dist-info → orionis-0.444.0.dist-info}/RECORD +23 -12
- {orionis-0.442.0.dist-info → orionis-0.444.0.dist-info}/WHEEL +0 -0
- {orionis-0.442.0.dist-info → orionis-0.444.0.dist-info}/licenses/LICENCE +0 -0
- {orionis-0.442.0.dist-info → orionis-0.444.0.dist-info}/top_level.txt +0 -0
- {orionis-0.442.0.dist-info → orionis-0.444.0.dist-info}/zip-safe +0 -0
|
@@ -0,0 +1,104 @@
|
|
|
1
|
+
from typing import Dict, List
|
|
2
|
+
from orionis.services.inspirational.contracts.inspire import IInspire
|
|
3
|
+
from orionis.services.inspirational.quotes import INSPIRATIONAL_QUOTES
|
|
4
|
+
import random
|
|
5
|
+
|
|
6
|
+
class Inspire(IInspire):
|
|
7
|
+
|
|
8
|
+
def __init__(self, quotes: List[Dict] = None) -> None:
|
|
9
|
+
"""
|
|
10
|
+
Initializes the Inspire service with a list of inspirational quotes.
|
|
11
|
+
|
|
12
|
+
This constructor sets up the internal list of quotes to be used by the service.
|
|
13
|
+
If no list is provided or the provided list is empty, it defaults to using the
|
|
14
|
+
predefined `INSPIRATIONAL_QUOTES`. The method also validates the structure of
|
|
15
|
+
the provided quotes to ensure each entry is a dictionary containing both 'quote'
|
|
16
|
+
and 'author' keys.
|
|
17
|
+
|
|
18
|
+
Parameters
|
|
19
|
+
----------
|
|
20
|
+
quotes : List[dict], optional
|
|
21
|
+
A list of dictionaries, where each dictionary must contain the keys 'quote'
|
|
22
|
+
(str) and 'author' (str). If not provided or empty, the default list
|
|
23
|
+
`INSPIRATIONAL_QUOTES` will be used.
|
|
24
|
+
|
|
25
|
+
Returns
|
|
26
|
+
-------
|
|
27
|
+
None
|
|
28
|
+
This method does not return any value. It initializes the internal state
|
|
29
|
+
of the Inspire service.
|
|
30
|
+
|
|
31
|
+
Raises
|
|
32
|
+
------
|
|
33
|
+
ValueError
|
|
34
|
+
If any item in the provided list is not a dictionary, or if a dictionary
|
|
35
|
+
does not contain both 'quote' and 'author' keys.
|
|
36
|
+
"""
|
|
37
|
+
|
|
38
|
+
# Use the default quotes if none are provided or the list is empty
|
|
39
|
+
if quotes is None or not quotes:
|
|
40
|
+
|
|
41
|
+
# Assign the default list of inspirational quotes
|
|
42
|
+
self.__quotes = INSPIRATIONAL_QUOTES
|
|
43
|
+
|
|
44
|
+
# Validate the provided list of quotes
|
|
45
|
+
else:
|
|
46
|
+
|
|
47
|
+
# Validate each quote in the provided list
|
|
48
|
+
for row in quotes:
|
|
49
|
+
if not isinstance(row, dict):
|
|
50
|
+
raise ValueError("Quotes must be provided as a list of dictionaries.")
|
|
51
|
+
if 'quote' not in row or 'author' not in row:
|
|
52
|
+
raise ValueError("Each quote dictionary must contain 'quote' and 'author' keys.")
|
|
53
|
+
|
|
54
|
+
# Assign the validated list of quotes
|
|
55
|
+
self.__quotes = quotes
|
|
56
|
+
|
|
57
|
+
def random(self) -> dict:
|
|
58
|
+
"""
|
|
59
|
+
Returns a random inspirational quote from the available list.
|
|
60
|
+
|
|
61
|
+
This method selects and returns a random quote from the list of inspirational quotes.
|
|
62
|
+
If the list is empty, it returns a fallback quote to ensure a valid response is always provided.
|
|
63
|
+
|
|
64
|
+
Returns
|
|
65
|
+
-------
|
|
66
|
+
dict
|
|
67
|
+
A dictionary containing two keys: 'quote' (str) and 'author' (str), representing
|
|
68
|
+
the selected inspirational quote and its author. If no quotes are available, a fallback
|
|
69
|
+
quote is returned.
|
|
70
|
+
"""
|
|
71
|
+
|
|
72
|
+
# Count the number of quotes available
|
|
73
|
+
count = len(self.__quotes)
|
|
74
|
+
|
|
75
|
+
# If there are no quotes available, return the fallback quote
|
|
76
|
+
if count == 0:
|
|
77
|
+
return self.__fallback()
|
|
78
|
+
|
|
79
|
+
# Select a random index within the range of available quotes
|
|
80
|
+
num_random = random.randint(0, count - 1)
|
|
81
|
+
|
|
82
|
+
# Return the randomly selected quote
|
|
83
|
+
return self.__quotes[num_random] or self.__fallback()
|
|
84
|
+
|
|
85
|
+
def __fallback(self) -> dict:
|
|
86
|
+
"""
|
|
87
|
+
Returns a default inspirational quote when no quotes are available.
|
|
88
|
+
|
|
89
|
+
This method provides a fallback quote in case the list of inspirational quotes
|
|
90
|
+
is empty or unavailable. It ensures that the service always returns a valid
|
|
91
|
+
response, even in edge cases.
|
|
92
|
+
|
|
93
|
+
Returns
|
|
94
|
+
-------
|
|
95
|
+
dict
|
|
96
|
+
A dictionary containing two keys: 'quote' (str) and 'author' (str), representing
|
|
97
|
+
the fallback inspirational quote and its author.
|
|
98
|
+
"""
|
|
99
|
+
|
|
100
|
+
# Return a hardcoded fallback quote and author
|
|
101
|
+
return {
|
|
102
|
+
'quote': 'Greatness is not measured by what you build, but by what you inspire others to create.',
|
|
103
|
+
'author': 'Raul M. Uñate'
|
|
104
|
+
}
|
|
@@ -0,0 +1,363 @@
|
|
|
1
|
+
INSPIRATIONAL_QUOTES = [
|
|
2
|
+
{"quote": "Bitterness is like cancer. It eats upon the host.", "author": "Maya Angelou"},
|
|
3
|
+
{"quote": "The true test of character is not how much we know how to do, but how we behave when we don’t know what to do.", "author": "John Holt"},
|
|
4
|
+
{"quote": "It's better to be at the bottom of a ladder you want to climb than halfway up one you don't.", "author": "Stephen Kellogg"},
|
|
5
|
+
{"quote": "The biggest temptation is to settle for too little.", "author": "Thomas Merton"},
|
|
6
|
+
{"quote": "Everybody wants to be famous, but nobody wants to do the work. I live by that. You grind hard so you can play hard. At the end of the day, you put all the work in, and eventually it’ll pay off. It could be in a year, it could be in 30 years. Eventually, your hard work will pay off.", "author": "Kevin Hart"},
|
|
7
|
+
{"quote": "Every action you take is a vote for the type of person you wish to become.", "author": "James Clear"},
|
|
8
|
+
{"quote": "You pray for the hungry. Then you feed them. That’s how prayer works.", "author": "Pope Francis"},
|
|
9
|
+
{"quote": "I would like to show the world today as an ant sees it, and tomorrow as the moon sees it.", "author": "Hannah Höch"},
|
|
10
|
+
{"quote": "Write this down, young man. Life has been extremely, I say extremely, kind.", "author": "Margaret Gorman"},
|
|
11
|
+
{"quote": "What you are, you are by accident of birth; what I am, I am by myself.", "author": "Ludwig van Beethoven"},
|
|
12
|
+
{"quote": "Never allow a person to tell you no who doesn’t have the power to say yes.", "author": "Eleanor Roosevelt"},
|
|
13
|
+
{"quote": "When I hear somebody sigh, 'Life is hard,' I am always tempted to ask, 'Compared to what?'", "author": "Sydney J. Harris"},
|
|
14
|
+
{"quote": "If you do every job like you’re going to do it for the rest of your life, that’s when you get noticed.", "author": "Mary Barra"},
|
|
15
|
+
{"quote": "Anyone who has spent any time in space will love it for the rest of their lives. I achieved my childhood dream of the sky.", "author": "Valentina Tereshkova"},
|
|
16
|
+
{"quote": "Your messaging should convey, 'Here’s why you would be so lucky if you got me,' instead of 'I really wanted it,' which we all tend to do.", "author": "Barbara Corcoran"},
|
|
17
|
+
{"quote": "All medicine is like that. It came from someone who dared.", "author": "Dr. William DeVries"},
|
|
18
|
+
{"quote": "The American city should be a collection of communities where every member has a right to belong. It should be a place where every man feels safe on his streets and in the house of his friends.", "author": "Lyndon B. Johnson"},
|
|
19
|
+
{"quote": "I knew all the rules but the rules did not know me.", "author": "Eddie Vedder"},
|
|
20
|
+
{"quote": "It was the first evidence to me that we’d changed the world.", "author": "John Shepherd-Barron"},
|
|
21
|
+
{"quote": "The things that scare you only make you better and stronger.", "author": "Octavia Spencer"},
|
|
22
|
+
{"quote": "The more I want to get something done, the less I call it work.", "author": "Richard Bach"},
|
|
23
|
+
{"quote": "It's a hard, lonely feeling, to be completely yourself in front of strangers.", "author": "Michael Che"},
|
|
24
|
+
{"quote": "The first step is clearly defining what it is you’re after, because without knowing that, you’ll never get it.", "author": "Halle Berry"},
|
|
25
|
+
{"quote": "Take the opportunity to learn from your mistakes: find the cause of your problem and eliminate it. Don’t try to be perfect; just be an excellent example of being human.", "author": "Tony Robbins"},
|
|
26
|
+
{"quote": "I'm not the next Usain Bolt or Michael Phelps … I'm the first Simone Biles.", "author": "Simone Biles"},
|
|
27
|
+
{"quote": "My mother thinks I am the best. And I was raised to always believe what my mother tells me.", "author": "Diego Maradona"},
|
|
28
|
+
{"quote": "You would be amazed what the ordinary guy knows.", "author": "Matt Drudge"},
|
|
29
|
+
{"quote": "You are never too good for anything. Always be willing to do everything.", "author": "Thomas Parkinson"},
|
|
30
|
+
{"quote": "Do as much homework as you can. Learn everybody’s job and don’t just settle.", "author": "Michael B. Jordan"},
|
|
31
|
+
{"quote": "Those who don’t believe in magic will never find it.", "author": "Roald Dahl"},
|
|
32
|
+
{"quote": "There is no such thing as accident; it is fate misnamed.", "author": "Napoleon Bonaparte"},
|
|
33
|
+
{"quote": "The function of leadership is to produce more leaders, not more followers.", "author": "Ralph Nader"},
|
|
34
|
+
{"quote": "You can overcome anything, if and only if you love something enough.", "author": "Lionel Messi"},
|
|
35
|
+
{"quote": "God works a miracle!", "author": "William Bradford"},
|
|
36
|
+
{"quote": "The man who moves a mountain begins by carrying away small stones.", "author": "Confucius"},
|
|
37
|
+
{"quote": "To make others less happy is a crime. To make ourselves unhappy is where all crime starts.", "author": "Roger Ebert"},
|
|
38
|
+
{"quote": "Opportunities multiply as they are seized.", "author": "Sun Tzu"},
|
|
39
|
+
{"quote": "People who think they know everything are a great annoyance to those of us who do.", "author": "Isaac Asimov"},
|
|
40
|
+
{"quote": "Give me a place to stand, and a lever long enough, and I will move the world.", "author": "Archimedes"},
|
|
41
|
+
{"quote": "People will forget what you said, people will forget what you did, but people will never forget how you made them feel.", "author": "Maya Angelou"},
|
|
42
|
+
{"quote": "I am not afraid of an army of lions led by a sheep; I am afraid of an army of sheep led by a lion.", "author": "Alexander the Great"},
|
|
43
|
+
{"quote": "We're born alone. We do need each other. It's lonely to really effectively live your life, and anyone you can get help from or give help to, that's part of your obligation.", "author": "Bill Murray"},
|
|
44
|
+
{"quote": "Failure is a badge of honor. It means you risked failure. And if you don’t risk failure, you’re never going to do anything that’s different from what you’ve already done or what somebody else has done.", "author": "Charlie Kaufman"},
|
|
45
|
+
{"quote": "This is not just a job. This is a passion. Connecting people, connecting the world, making a difference. How many jobs can say I made the world better today? We do that every single day.", "author": "Ed Bastian"},
|
|
46
|
+
{"quote": "A delayed game is eventually good, but a rushed game is forever bad.", "author": "Shigeru Miyamoto"},
|
|
47
|
+
{"quote": "It's a gift to exist, and with existence comes suffering. There's no escaping that.", "author": "Stephen Colbert"},
|
|
48
|
+
{"quote": "I believe ambition is not a dirty word. It's just believing in yourself and your abilities. Imagine this: What would happen if we were all brave enough to be a little bit more ambitious? I think the world would change.", "author": "Reese Witherspoon"},
|
|
49
|
+
{"quote": "Certain things in life are more important than the usual crap that everyone strives for.", "author": "James Taylor"},
|
|
50
|
+
{"quote": "Logic will get you from A to B. Imagination will take you everywhere.", "author": "Albert Einstein"},
|
|
51
|
+
{"quote": "If you feel safe in the area you’re working in, you’re not working in the right area. Always go a little further into the water than you feel you’re capable of being in. Go a little bit out of your depth. And when you don’t feel that your feet are quite touching the bottom, you’re just about in the right place to do something exciting.", "author": "David Bowie"},
|
|
52
|
+
{"quote": "If you can't fail, you can never get better.", "author": "Benedict Cumberbatch"},
|
|
53
|
+
{"quote": "It took me a long time not to judge myself through someone else’s eyes.", "author": "Sally Field"},
|
|
54
|
+
{"quote": "The best protection any woman can have … is courage.", "author": "Elizabeth Cady Stanton"},
|
|
55
|
+
{"quote": "I have captured the light and arrested its flight. The sun itself shall draw my pictures.", "author": "Louis Daguerre"},
|
|
56
|
+
{"quote": "It's beautiful when you watch something good happen to somebody when it's well deserved.", "author": "Jennifer Lawrence"},
|
|
57
|
+
{"quote": "You can't teach anybody anything, only make them realize the answers are already inside them.", "author": "Galileo Galilei"},
|
|
58
|
+
{"quote": "Talk sense to a fool and he calls you foolish.", "author": "Euripides"},
|
|
59
|
+
{"quote": "If you love what you do and are willing to do what it takes, it’s within your reach.", "author": "Steve Wozniak"},
|
|
60
|
+
{"quote": "Troubles are often the tools by which God fashions us for better things.", "author": "Henry Ward Beecher"},
|
|
61
|
+
{"quote": "To love means loving the unlovable. To forgive means pardoning the unpardonable. Faith means believing the unbelievable. Hope means hoping when everything seems hopeless.", "author": "Gilbert K. Chesterton"},
|
|
62
|
+
{"quote": "The world promises you comfort, but you were not made for comfort. You were made for greatness.", "author": "Pope Benedict XVI"},
|
|
63
|
+
{"quote": "Memory is original events combined with every other time you’ve remembered that event. This is why therapy’s helpful.", "author": "Becky Kennedy"},
|
|
64
|
+
{"quote": "If opportunity doesn’t knock, build a door.", "author": "Milton Berle"},
|
|
65
|
+
{"quote": "It's easy to fool the eye but it's hard to fool the heart.", "author": "Al Pacino"},
|
|
66
|
+
{"quote": "It is not the strongest of the species that survive, nor the most intelligent, but the one most responsive to change.", "author": "Charles Darwin"},
|
|
67
|
+
{"quote": "Success is getting what you want. Happiness is wanting what you get.", "author": "Dale Carnegie"},
|
|
68
|
+
{"quote": "You are on the eve of a complete victory. You can’t go wrong. The world is behind you.", "author": "Josephine Baker"},
|
|
69
|
+
{"quote": "Holding on to anger is like grasping a hot coal with the intent of throwing it at someone else; you are the one who gets burned.", "author": "Buddha"},
|
|
70
|
+
{"quote": "Criticism is something we can avoid easily by saying nothing, doing nothing, and being nothing.", "author": "Aristotle"},
|
|
71
|
+
{"quote": "Don’t let what you don’t know scare you, because it can become your greatest asset. And if you do things without knowing how they have always been done, you’re guaranteed to do them differently.", "author": "Sara Blakely"},
|
|
72
|
+
{"quote": "An innovation will get traction only if it helps people get something that they’re already doing in their lives done better.", "author": "Clayton Christensen"},
|
|
73
|
+
{"quote": "Nursing encompasses an art, a humanistic orientation, a feeling for the value of the individual, and an intuitive sense of ethics, and of the appropriateness of action taken.", "author": "Myrtle Aydelotte"},
|
|
74
|
+
{"quote": "It seems to me that to be peaceful and content, you don’t have to know precisely what you want. It may even be better if you don’t. But I think you do need to be very clear what you DON’T want, and steadfast in the not-doing of those things.", "author": "Sandra Boynton"},
|
|
75
|
+
{"quote": "It was the ultimate dream. But the idea of a young black American like me owning a Cadillac? It seemed too far-fetched.", "author": "Dick Gidron"},
|
|
76
|
+
{"quote": "You are a Universe of Universes and your Soul a source of Songs.", "author": "Rubén Darío"},
|
|
77
|
+
{"quote": "Don’t live the same year 75 times and call it a life.", "author": "Robin Sharma"},
|
|
78
|
+
{"quote": "If there is no struggle, there is no progress.", "author": "Frederick Douglass"},
|
|
79
|
+
{"quote": "Think about me every now and then, old friend.", "author": "John Lennon"},
|
|
80
|
+
{"quote": "We must never be afraid to go too far, for success lies just beyond.", "author": "Marcel Proust"},
|
|
81
|
+
{"quote": "There is no list of rules. There is one rule. The rule is: There are no rules.", "author": "Shonda Rhimes"},
|
|
82
|
+
{"quote": "I would rather have one article a day of this sort; and these 10 or 20 lines might readily represent a whole day’s hard work in the way of concentrated, intense thinking and revision, polish of style, weighing of words.", "author": "Joseph Pulitzer"},
|
|
83
|
+
{"quote": "Winners are the ones who really listen to the truth of their hearts.", "author": "Sylvester Stallone"},
|
|
84
|
+
{"quote": "With everything that has happened to you, you can either feel sorry for yourself or treat what has happened as a gift. Everything is either an opportunity to grow or an obstacle to keep you from growing. You get to choose.", "author": "Wayne Dyer"},
|
|
85
|
+
{"quote": "If you’re too rigid in your thinking you may miss some wonderful opportunities for storytelling.", "author": "Vince Gilligan"},
|
|
86
|
+
{"quote": "Education is not the filling of a pail, but the lighting of a fire.", "author": "William Butler Yeats"},
|
|
87
|
+
{"quote": "Before you can make a dream come true, you must first have one.", "author": "Ronald McNair"},
|
|
88
|
+
{"quote": "Business is built on relationships, relationships are built on trust, and the foundation of trust is honesty.", "author": "Stephen Covey"},
|
|
89
|
+
{"quote": "Far better is it to dare mighty things, to win glorious triumphs, even though checkered by failure, than to rank with those poor spirits who neither enjoy much nor suffer much, because they live in a gray twilight that knows not victory nor defeat.", "author": "Theodore Roosevelt"},
|
|
90
|
+
{"quote": "What we do is more important than what we say or what we say we believe.", "author": "bell hooks"},
|
|
91
|
+
{"quote": "Sometimes all you need is 20 seconds of insane courage.", "author": "Benjamin Mee"},
|
|
92
|
+
{"quote": "Be passionate and bold. Always keep learning. You stop doing useful things if you don’t learn.", "author": "Satya Nadella"},
|
|
93
|
+
{"quote": "The chief cause of failure is substituting what you want most for what you want now.", "author": "Zig Ziglar"},
|
|
94
|
+
{"quote": "If you know exactly what you want to be, you need to spend as much time as possible with people who are actually that already.", "author": "Gary Vaynerchuk"},
|
|
95
|
+
{"quote": "You never know what worse luck your bad luck has saved you from.", "author": "Cormac McCarthy"},
|
|
96
|
+
{"quote": "Leadership is the art of getting someone else to do something you want done because he wants to do it.", "author": "Dwight D. Eisenhower"},
|
|
97
|
+
{"quote": "If it wasn’t hard, everyone would do it. It’s the hard that makes it great.", "author": "Tom Hanks"},
|
|
98
|
+
{"quote": "Sometimes your mistakes are your biggest virtues. You learn so much from the mistake. Those things that you think are the worst thing that’s happening to you can somehow turn around and be the greatest opportunity.", "author": "Nicole Kidman"},
|
|
99
|
+
{"quote": "Get into what your kids are into. How miserable would it be to always be anti-popular stuff like 'Ugh, you seriously like Taylor Swift?'", "author": "Joel Willis"},
|
|
100
|
+
{"quote": "Life is not easy for any of us. But what of that? We must have perseverance and, above all, confidence in ourselves. We must believe we are gifted for something and that this thing must be attained.", "author": "Marie Curie"},
|
|
101
|
+
{"quote": "We hold our heads high, despite the price we have paid, because freedom is priceless.", "author": "Lech Wałęsa"},
|
|
102
|
+
{"quote": "It's always better to shock people and change people's expectations than to give them exactly what they think you can do.", "author": "Jonah Hill"},
|
|
103
|
+
{"quote": "I think happiness is overrated. Satisfied, at peace—those would be more realistic goals.", "author": "Brad Pitt"},
|
|
104
|
+
{"quote": "It is not very often that an opportunity comes knocking. But when it does, you’d better be bathed and dressed and ready to answer its call.", "author": "Jyoti Arora"},
|
|
105
|
+
{"quote": "To understand the heart and mind of a person, look not at what he has already achieved, but at what he aspires to do.", "author": "Kahlil Gibran"},
|
|
106
|
+
{"quote": "Diligence is the mother of good luck.", "author": "Benjamin Franklin"},
|
|
107
|
+
{"quote": "The rung of a ladder was never meant to rest upon, but only to hold a man’s foot long enough to enable him to put the other somewhat higher.", "author": "Thomas Huxley"},
|
|
108
|
+
{"quote": "Thousands of candles can be lighted from a single candle. Happiness never decreases by being shared.", "author": "Buddha"},
|
|
109
|
+
{"quote": "It's hard work to make a four-minute program look effortless and elegant.", "author": "Katarina Witt"},
|
|
110
|
+
{"quote": "I would rather five people knew my work and thought it was good work than five million knew me and were indifferent.", "author": "Colin Firth"},
|
|
111
|
+
{"quote": "Someday is not a day of the week.", "author": "Janet Dailey"},
|
|
112
|
+
{"quote": "If everything seems under control, you’re not going fast enough.", "author": "Mario Andretti"},
|
|
113
|
+
{"quote": "An important attribute of success is to be yourself. Never hide what makes you, you.", "author": "Indra Nooyi"},
|
|
114
|
+
{"quote": "What is harder than rock, or softer than water? Yet soft water hollows out hard rock. Persevere.", "author": "Ovid"},
|
|
115
|
+
{"quote": "My pain may be the reason for somebody’s laugh. But my laugh must never be the reason for somebody’s pain.", "author": "Charlie Chaplin"},
|
|
116
|
+
{"quote": "Don’t worry about failure; you only have to be right once.", "author": "Drew Houston"},
|
|
117
|
+
{"quote": "A lot of times, people look at the negative side of what they feel they can’t do. I always look on the positive side of what I can do.", "author": "Chuck Norris"},
|
|
118
|
+
{"quote": "I tend to think you’re fearless when you recognize why you should be scared of things, but do them anyway.", "author": "Christian Bale"},
|
|
119
|
+
{"quote": "Success is built on the foundation of courage, hard work and individual responsibility. Despite what some would have us believe, success is not built on resentment and fears.", "author": "Susana Martinez"},
|
|
120
|
+
{"quote": "I practice my saxophone three hours a day. I’m not saying I’m particularly special, but if you do something three hours a day for forty years, you get pretty good at it.", "author": "Kenny G"},
|
|
121
|
+
{"quote": "Smooth seas do not make skillful sailors.", "author": "African Proverb"},
|
|
122
|
+
{"quote": "I know the price of success: dedication, hard work and an unremitting devotion to the things you want to see happen.", "author": "Frank Lloyd Wright"},
|
|
123
|
+
{"quote": "I think one day you’ll find that you’re the hero you’ve been looking for.", "author": "Jimmy Stewart"},
|
|
124
|
+
{"quote": "If all I do in my life is soothe someone’s spirit with a song, then let me do that and I’m happy.", "author": "Gladys Knight"},
|
|
125
|
+
{"quote": "Life becomes easier when you learn to accept the apology you never got.", "author": "Robert Brault"},
|
|
126
|
+
{"quote": "There are times in all of our lives when a reliance on gut or intuition just seems more appropriate, when a particular course of action just feels right. And, interestingly, I’ve discovered it’s in facing life’s most important decisions that intuition seems the most indispensable.", "author": "Tim Cook"},
|
|
127
|
+
{"quote": "All labor that uplifts humanity has dignity and importance.", "author": "Martin Luther King Jr."},
|
|
128
|
+
{"quote": "You may think using Google’s great, but I still think it’s terrible.", "author": "Larry Page"},
|
|
129
|
+
{"quote": "It’s tough to get out of bed to do roadwork at 5 a.m. when you’ve been sleeping in silk pajamas.", "author": "Marvin Hagler"},
|
|
130
|
+
{"quote": "There is no security on the Earth, there is only opportunity.", "author": "Douglas MacArthur"},
|
|
131
|
+
{"quote": "Everyone’s like, 'overnight sensation.' It’s not overnight. It’s years of hard work.", "author": "Margot Robbie"},
|
|
132
|
+
{"quote": "The worth of a life is not determined by a single failure or a solitary success.", "author": "Kevin Kline"},
|
|
133
|
+
{"quote": "Only the weak are cruel. Gentleness can only be expected from the strong.", "author": "Leo Buscaglia"},
|
|
134
|
+
{"quote": "For small creatures such as we, the vastness is bearable only through love.", "author": "Carl Sagan"},
|
|
135
|
+
{"quote": "Build something 100 people love, not something 1 million people kind of like.", "author": "Brian Chesky"},
|
|
136
|
+
{"quote": "Once you replace negative thoughts with positive ones, you’ll start having positive results.", "author": "Willie Nelson"},
|
|
137
|
+
{"quote": "Don’t write what you think people want to read. Find your voice and write about what’s in your heart.", "author": "Quentin Tarantino"},
|
|
138
|
+
{"quote": "Life is what we make it, always has been, always will be.", "author": "Grandma Moses"},
|
|
139
|
+
{"quote": "There is overwhelming evidence that the higher the level of self-esteem, the more likely one will be to treat others with respect, kindness, and generosity.", "author": "Nathaniel Branden"},
|
|
140
|
+
{"quote": "It’s a good place when all you have is hope and not expectations.", "author": "Danny Boyle"},
|
|
141
|
+
{"quote": "Good things come to obsessive compulsives who fixate.", "author": "Kieran Culkin"},
|
|
142
|
+
{"quote": "It is easier to build strong children than to repair broken men.", "author": "Frederick Douglass"},
|
|
143
|
+
{"quote": "You can’t be afraid of what people are going to say, because you’re never going to make everyone happy.", "author": "Selena Gomez"},
|
|
144
|
+
{"quote": "Waking up in truth is so much better than living in a lie.", "author": "Idris Elba"},
|
|
145
|
+
{"quote": "Instead of looking at the past, I put myself ahead 20 years and try to look at what I need to do now in order to get there then.", "author": "Diana Ross"},
|
|
146
|
+
{"quote": "People seldom do what they believe in. They do what is convenient, and then repent.", "author": "Bob Dylan"},
|
|
147
|
+
{"quote": "Anything in life worth having is worth working for.", "author": "Andrew Carnegie"},
|
|
148
|
+
{"quote": "Life is short, and the world is wide.", "author": "Simon Raven"},
|
|
149
|
+
{"quote": "I felt that one had better die fighting against injustice than to die like a dog or rat in a trap. I had already determined to sell my life as dearly as possible if attacked. I felt if I could take one lyncher with me, this would even up the score a little bit.", "author": "Ida B. Wells"},
|
|
150
|
+
{"quote": "There are two ways of spreading light: to be the candle or the mirror that reflects it.", "author": "Edith Wharton"},
|
|
151
|
+
{"quote": "How old would you be if you didn’t know how old you are?", "author": "Satchel Paige"},
|
|
152
|
+
{"quote": "When you find an idea that you just can’t stop thinking about, that’s probably a good one to pursue.", "author": "Josh James"},
|
|
153
|
+
{"quote": "We each come by the gifts we have to offer by an infinite series of influences and lucky breaks we can never fully understand.", "author": "MacKenzie Scott"},
|
|
154
|
+
{"quote": "Everyone thinks of changing the world, but no one thinks of changing himself.", "author": "Leo Tolstoy"},
|
|
155
|
+
{"quote": "Economics is like the Dutch language. I’m told it makes sense, but I have my doubts.", "author": "John Oliver"},
|
|
156
|
+
{"quote": "Ultimately, you just have one life. You never know unless you try. And you never get anywhere unless you ask.", "author": "Kate Winslet"},
|
|
157
|
+
{"quote": "We are all ordinary. We are all boring. We are all spectacular. We are all shy. We are all bold. We are all heroes. We are all helpless. It just depends on the day.", "author": "Brad Meltzer"},
|
|
158
|
+
{"quote": "Think of how stupid the average person is, and realize half of them are stupider than that.", "author": "George Carlin"},
|
|
159
|
+
{"quote": "Some of the world’s greatest feats were accomplished by people not smart enough to know they were impossible.", "author": "Doug Larson"},
|
|
160
|
+
{"quote": "Take wrong turns. Talk to strangers. Open unmarked doors. And if you see a group of people in a field, go find out what they are doing. Do things without always knowing how they’ll turn out.", "author": "Randall Munroe"},
|
|
161
|
+
{"quote": "I’m intimidated by the fear of being average.", "author": "Taylor Swift"},
|
|
162
|
+
{"quote": "Always be a first-rate version of yourself instead of a second-rate version of somebody else.", "author": "Judy Garland"},
|
|
163
|
+
{"quote": "The history of the world is the history of a few people who had faith in themselves.", "author": "Swami Vivekananda"},
|
|
164
|
+
{"quote": "The one thing you’re most reluctant to tell. That’s where the comedy is.", "author": "Mike Birbiglia"},
|
|
165
|
+
{"quote": "Doubt is a killer. You just have to know who you are and what you stand for.", "author": "Jennifer Lopez"},
|
|
166
|
+
{"quote": "Basically, the first half of life is writing the text, and the second half is writing the commentary on that text.", "author": "Richard Rohr"},
|
|
167
|
+
{"quote": "Great artists steal is about finding inspiration in the work of others, then using it as a starting point for original creative output.", "author": "Pablo Picasso"},
|
|
168
|
+
{"quote": "Don’t count the days, make the days count.", "author": "Muhammad Ali"},
|
|
169
|
+
{"quote": "You must not only aim right, but draw the bow with all your might.", "author": "Henry David Thoreau"},
|
|
170
|
+
{"quote": "Your days are numbered. Use them to throw open the windows of your soul to the sun. If you do not, the sun will soon set, and you with it.", "author": "Marcus Aurelius"},
|
|
171
|
+
{"quote": "I have already lost touch with a couple of people I used to be.", "author": "Joan Didion"},
|
|
172
|
+
{"quote": "Fear of looking stupid is the No. 1 killer of dreams. The worst part? The people who make you feel stupid are usually the ones least qualified to judge someone else’s life.", "author": "Anthony Moore"},
|
|
173
|
+
{"quote": "I’ve grown most not from victories but from setbacks. If winning is God’s reward, then losing is how he teaches us.", "author": "Serena Williams"},
|
|
174
|
+
{"quote": "Life is 10 percent what happens to me and 90 percent of how I react to it.", "author": "Charles R. Swindoll"},
|
|
175
|
+
{"quote": "A successful man is one who can lay a firm foundation with the bricks others have thrown at him.", "author": "David Brinkley"},
|
|
176
|
+
{"quote": "I don’t know what the future may hold, but I know who holds the future.", "author": "Ralph Abernathy"},
|
|
177
|
+
{"quote": "People always fall in love with the most perfect aspects of each other’s personalities. Who wouldn’t? Anybody can love the most wonderful parts of another person. But that’s not the clever trick. The really clever trick is this: Can you accept the flaws?", "author": "Elizabeth Gilbert"},
|
|
178
|
+
{"quote": "Being an optimist after you’ve got the very thing you want doesn’t count.", "author": "Ken Hubbard"},
|
|
179
|
+
{"quote": "I can say the willingness to get dirty has always defined us as a nation, and it’s a hallmark of hard work and a hallmark of fun, and dirt is not the enemy.", "author": "Mike Rowe"},
|
|
180
|
+
{"quote": "I’ll tell you what bravery really is. Bravery is just determination to do a job that you know has to be done.", "author": "Audie Murphy"},
|
|
181
|
+
{"quote": "Always look for the fool in the deal. If you don’t find one, it’s you.", "author": "Mark Cuban"},
|
|
182
|
+
{"quote": "If everyone is thinking alike, then somebody isn’t thinking.", "author": "George S. Patton"},
|
|
183
|
+
{"quote": "No matter what people tell you, words and ideas can change the world.", "author": "Robin Williams"},
|
|
184
|
+
{"quote": "Philosophy is like trying to open a safe with a combination lock: each little adjustment of the dials seems to achieve nothing, only when everything is in place does the door open.", "author": "Ludwig Wittgenstein"},
|
|
185
|
+
{"quote": "I am not a product of my circumstances. I am a product of my decisions.", "author": "Stephen Covey"},
|
|
186
|
+
{"quote": "Victory has a hundred fathers and defeat is an orphan.", "author": "John F. Kennedy"},
|
|
187
|
+
{"quote": "If you hear the dogs, keep going. If you see the torches in the woods, keep going. If there’s shouting after you, keep going. Don’t ever stop. Keep going. If you want a taste of freedom, keep going.", "author": "Harriet Tubman"},
|
|
188
|
+
{"quote": "Art, in itself, is an attempt to bring order out of chaos.", "author": "Stephen Sondheim"},
|
|
189
|
+
{"quote": "Reality is created by the mind; we can change our reality by changing our mind.", "author": "Plato"},
|
|
190
|
+
{"quote": "Grant me courage to serve others; for in service there is true life.", "author": "Cesar Chavez"},
|
|
191
|
+
{"quote": "Anyone with two tunics should share with him who has none.", "author": "John the Baptist"},
|
|
192
|
+
{"quote": "A pessimist sees the difficulty in every opportunity; an optimist sees the opportunity in every difficulty.", "author": "Winston Churchill"},
|
|
193
|
+
{"quote": "What I’ve learned from running is that the time to push hard is when you’re hurting like crazy and you want to give up. Success is often just around the corner.", "author": "James Dyson"},
|
|
194
|
+
{"quote": "Do you really want to look back on your life and see how wonderful it could have been had you not been afraid to live it?", "author": "Caroline Myss"},
|
|
195
|
+
{"quote": "The secret of a happy marriage is finding the right person. You know they’re right if you love to be with them all the time.", "author": "Julia Child"},
|
|
196
|
+
{"quote": "Flaming enthusiasm, backed by horse-sense and persistence, is the quality that most frequently makes for success.", "author": "Dale Carnegie"},
|
|
197
|
+
{"quote": "God loves us beyond comprehension, and we cannot diminish God’s love for us.", "author": "Peter Kreeft"},
|
|
198
|
+
{"quote": "What gets celebrated gets replicated.", "author": "Bradley Cooper"},
|
|
199
|
+
{"quote": "The best way to predict the future is to invent it.", "author": "Alan Kay"},
|
|
200
|
+
{"quote": "Everyone you meet in life is fighting a battle you know nothing about.", "author": "Wendy Mass"},
|
|
201
|
+
{"quote": "If you look around the room, and you’re the smartest person in the room, you’re in the wrong room.", "author": "Lorne Michaels"},
|
|
202
|
+
{"quote": "Being polite and grateful will make people more inclined to help you. And if people are willing to help you, you may accidentally get something you want.", "author": "Jason Sudeikis"},
|
|
203
|
+
{"quote": "If people knew how hard I worked to achieve my mastery, it wouldn’t seem so wonderful after all.", "author": "Michelangelo"},
|
|
204
|
+
{"quote": "If you want to change who you are, you have to change what you do.", "author": "Jude Law"},
|
|
205
|
+
{"quote": "The best time to plant a tree was 20 years ago. The second best time is now.", "author": "Chinese Proverb"},
|
|
206
|
+
{"quote": "Bridge the age gap. For younger people, find a way to spend time with older people. For the more silver-haired among us, I’m telling you: Find a few things the young kids are into — music, tech, sports — and check them out.", "author": "Mike Erwin"},
|
|
207
|
+
{"quote": "I’m not afraid of storms, for I’m learning how to sail my ship.", "author": "Louisa May Alcott"},
|
|
208
|
+
{"quote": "Today a reader, tomorrow a leader.", "author": "Margaret Fuller"},
|
|
209
|
+
{"quote": "Freedom lies in being bold.", "author": "Robert Frost"},
|
|
210
|
+
{"quote": "I will take the subway and look at certain women and think 'God, that woman’s story will never be told. How come that lady doesn’t get a movie about her?'", "author": "Natasha Lyonne"},
|
|
211
|
+
{"quote": "If you focus on results you’ll never change. If you focus on change, you’ll get results.", "author": "Jack Dixon"},
|
|
212
|
+
{"quote": "Empty your mind, be formless. Shapeless, like water. If you put water into a cup, it becomes the cup. You put water into a bottle and it becomes the bottle. You put it in a teapot it becomes the teapot. Now, water can flow or it can crash. Be water, my friend.", "author": "Bruce Lee"},
|
|
213
|
+
{"quote": "Complexity kills. It sucks the life out of developers, it makes products difficult to plan, build and test, it introduces security challenges, and it causes end-user and administrator frustration.", "author": "Ray Ozzie"},
|
|
214
|
+
{"quote": "When one door closes another door opens; but we so often look so long and so regretfully upon the closed door, that we do not see the ones which open for us.", "author": "Alexander Graham Bell"},
|
|
215
|
+
{"quote": "The greatest lesson that I learned in all of this is that you have to start. Start now, start here, and start small. Keep it simple.", "author": "Jack Dorsey"},
|
|
216
|
+
{"quote": "The crisis of today is the joke of tomorrow.", "author": "H.G. Wells"},
|
|
217
|
+
{"quote": "Either America will destroy ignorance or ignorance will destroy the United States.", "author": "W. E. B. Du Bois"},
|
|
218
|
+
{"quote": "It would be wonderful if I can inspire others, who are struggling to realize their dreams, to say: If this country kid could do it, let me keep slogging away.", "author": "Douglas Engelbart"},
|
|
219
|
+
{"quote": "Everything you’ve ever wanted is on the other side of fear.", "author": "George Addair"},
|
|
220
|
+
{"quote": "Sometimes you can only find heaven by slowly backing away from hell.", "author": "Carrie Fisher"},
|
|
221
|
+
{"quote": "I’ve got to give props to the Jesuit priests.", "author": "Neil deGrasse Tyson"},
|
|
222
|
+
{"quote": "If God took the trouble to tell us eight hundred times to be glad and rejoice, He must want us to do it!", "author": "Eleanor H. Porter"},
|
|
223
|
+
{"quote": "That’s the best part of the whole thing, is the people that we’ve met along the way. We’ve met some wonderful, wonderful people and we wouldn’t have otherwise.", "author": "Pearl Dion"},
|
|
224
|
+
{"quote": "Conditions are never perfect. 'Someday' is a disease that will take your dreams to the grave with you. If it’s important to you and you want to do it 'eventually,' just do it and correct course along the way.", "author": "Tim Ferriss"},
|
|
225
|
+
{"quote": "Whatever you do, don’t wake up at 65 years old and think about what you should have done with your life.", "author": "George Clooney"},
|
|
226
|
+
{"quote": "My soul is that of a drummer. I didn’t do it to become rich and famous. I did it because it was the love of my life.", "author": "Ringo Starr"},
|
|
227
|
+
{"quote": "Just keep going. Everybody gets better if they keep at it.", "author": "Ted Williams"},
|
|
228
|
+
{"quote": "There can be no greater gift than that of giving one’s time and energy to help others without expecting anything in return.", "author": "Nelson Mandela"},
|
|
229
|
+
{"quote": "Good luck has its storms.", "author": "George Lucas"},
|
|
230
|
+
{"quote": "Faith moves mountains, but you have to keep pushing while you’re praying.", "author": "Mason Cooley"},
|
|
231
|
+
{"quote": "No failure means no risk, which means nothing new.", "author": "Richard Branson"},
|
|
232
|
+
{"quote": "I’m a big believer in the power of inexperience. It was the greatest asset I had when I started TFA. If I had known at the outset how hard it was going to be, I might never have started.", "author": "Wendy Kopp"},
|
|
233
|
+
{"quote": "Who sows virtue reaps honor.", "author": "Leonardo da Vinci"},
|
|
234
|
+
{"quote": "So often, people are working hard at the wrong thing. Working on the right thing is probably more important than working hard.", "author": "Caterina Fake"},
|
|
235
|
+
{"quote": "I think of doing a series as very hard work. But then I’ve talked to coal miners, and that’s really hard work.", "author": "William Shatner"},
|
|
236
|
+
{"quote": "Life is a daring adventure or it is nothing at all.", "author": "Helen Keller"},
|
|
237
|
+
{"quote": "Whenever you read a good book, somewhere in the world a door opens to allow in more light.", "author": "Vera Nazarian"},
|
|
238
|
+
{"quote": "To see we must forget the name of the thing we are looking at.", "author": "Claude Monet"},
|
|
239
|
+
{"quote": "I didn’t like the idea of being foolish, but I learned pretty soon that it was essential to fail and be foolish.", "author": "Daniel Day-Lewis"},
|
|
240
|
+
{"quote": "I hate that word: lucky. It cheapens a lot of hard work.", "author": "Peter Dinklage"},
|
|
241
|
+
{"quote": "Even when I was close to defeat I rose to my feet.", "author": "Dr. Dre"},
|
|
242
|
+
{"quote": "Happiness is an inside job.", "author": "William Arthur Ward"},
|
|
243
|
+
{"quote": "I was literally just doing my job.", "author": "Stanislav Petrov"},
|
|
244
|
+
{"quote": "All good ideas start out as bad ideas, that’s why it takes so long.", "author": "Steven Spielberg"},
|
|
245
|
+
{"quote": "The world has never had a good definition of the word liberty, and the American people, just now, are much in want of one.", "author": "Abraham Lincoln"},
|
|
246
|
+
{"quote": "I wanted a perfect ending. Now I’ve learned, the hard way, that some poems don’t rhyme, and some stories don’t have a clear beginning, middle and end.", "author": "Gilda Radner"},
|
|
247
|
+
{"quote": "Giving up smoking is the easiest thing in the world. I know because I’ve done it thousands of times.", "author": "Mark Twain"},
|
|
248
|
+
{"quote": "Only eyes washed by tears can see clearly.", "author": "Louis Mann"},
|
|
249
|
+
{"quote": "You have to learn the rules to be able to know how to break them.", "author": "Keira Knightley"},
|
|
250
|
+
{"quote": "The meaning of life is to find your gift. The purpose of life is to give it away.", "author": "Pablo Picasso"},
|
|
251
|
+
{"quote": "You are never too old to set another goal or to dream a new dream.", "author": "Les Brown"},
|
|
252
|
+
{"quote": "The essence of strategy is choosing what not to do.", "author": "Michael Porter"},
|
|
253
|
+
{"quote": "Let me tell you the secret that has led me to my goals: my strength lies solely in my tenacity.", "author": "Louis Pasteur"},
|
|
254
|
+
{"quote": "Your employees come first. And if you treat your employees right, guess what? Your customers come back.", "author": "Herb Kelleher"},
|
|
255
|
+
{"quote": "Success isn’t determined by how many times you win, but by how you play the week after you lose.", "author": "Pele"},
|
|
256
|
+
{"quote": "I am happy because I’m grateful. I choose to be grateful. That gratitude allows me to be happy.", "author": "Will Arnett"},
|
|
257
|
+
{"quote": "The true secret of happiness lies in taking a genuine interest in all the details of daily life.", "author": "William Morris"},
|
|
258
|
+
{"quote": "I would rather die of passion than of boredom.", "author": "Vincent van Gogh"},
|
|
259
|
+
{"quote": "The impossible exists only until we find a way to make it possible.", "author": "Mike Horn"},
|
|
260
|
+
{"quote": "Boredom is a lack of crazy. It’s a lack of creativity. Invention. Innovation. If you’re bored, blame yourself.", "author": "Katelyn S. Irons"},
|
|
261
|
+
{"quote": "The greatest danger in times of turbulence is not the turbulence; it is to act with yesterday’s logic.", "author": "Peter Drucker"},
|
|
262
|
+
{"quote": "Never let anyone define you. You are the only person who defines you. No one can speak for you. Only you speak for you. You are your only voice.", "author": "Terry Crews"},
|
|
263
|
+
{"quote": "Be so good they can’t ignore you.", "author": "Steve Martin"},
|
|
264
|
+
{"quote": "Nothing in all the world is more dangerous than sincere ignorance and conscientious stupidity.", "author": "Martin Luther King Jr."},
|
|
265
|
+
{"quote": "The only way to win is to learn faster than anyone else.", "author": "Eric Ries"},
|
|
266
|
+
{"quote": "God doesn’t require us to succeed, he only requires that you try.", "author": "Mother Teresa"},
|
|
267
|
+
{"quote": "May I never be complete. May I never be content. May I never be perfect.", "author": "Chuck Palahniuk"},
|
|
268
|
+
{"quote": "Instead of wondering when your next vacation is, maybe you should set up a life you don’t need to escape from.", "author": "Seth Godin"},
|
|
269
|
+
{"quote": "The greatest test of courage on earth is to bear defeat without losing heart.", "author": "Robert Green Ingersoll"},
|
|
270
|
+
{"quote": "It isn’t hard to be good from time to time in sports. What is tough, is being good every day.", "author": "Willie Mays"},
|
|
271
|
+
{"quote": "Death is very likely the single best invention of life. It’s life’s change agent; it clears out the old to make way for the new. Right now, the new is you. But someday, not too long from now, you will gradually become the old and be cleared away. Sorry to be so dramatic, but it’s quite true. Your time is limited, so don’t waste it living someone else’s life.", "author": "Steve Jobs"},
|
|
272
|
+
{"quote": "Have no fear of perfection. You’ll never reach it.", "author": "Salvador Dalí"},
|
|
273
|
+
{"quote": "The most common way people give up their power is by thinking they don’t have any.", "author": "Alice Walker"},
|
|
274
|
+
{"quote": "The person who agrees with you 80 percent of the time is an 80 percent friend, not a 20 percent enemy.", "author": "Ronald Reagan"},
|
|
275
|
+
{"quote": "The thing about smart people is that they seem like crazy people to dumb people.", "author": "Stephen Hawking"},
|
|
276
|
+
{"quote": "People have confused playing devil’s advocate with being intelligent.", "author": "Cecily Strong"},
|
|
277
|
+
{"quote": "Winning is not everything, but wanting to win is.", "author": "Vince Lombardi"},
|
|
278
|
+
{"quote": "The minute you start caring about what other people think, is the minute you stop being yourself.", "author": "Meryl Streep"},
|
|
279
|
+
{"quote": "Optimism is the one quality more associated with success and happiness than any other.", "author": "Brian Tracy"},
|
|
280
|
+
{"quote": "People who say it cannot be done should not interrupt those who are doing it.", "author": "George Bernard Shaw"},
|
|
281
|
+
{"quote": "My only goal is to stay focused on my craft and make sure my life is as sharp as it can be to attack any character that is given to me.", "author": "Michael K. Williams"},
|
|
282
|
+
{"quote": "If you’re ever thinking, Oh, but I’m a waste of space and I’m a burden, remember: that also describes the Grand Canyon. Why don’t you have friends and family take pictures of you from a safe distance? Revel in your majestic profile?", "author": "Maria Bamford"},
|
|
283
|
+
{"quote": "If everybody loves you, something is wrong. Find at least one enemy to keep you alert.", "author": "Paulo Coelho"},
|
|
284
|
+
{"quote": "The world is more malleable than you think and it’s waiting for you to hammer it into shape.", "author": "Bono"},
|
|
285
|
+
{"quote": "Yes, I am a dreamer. For a dreamer is one who can find his way by moonlight, and see the dawn before the rest of the world.", "author": "Oscar Wilde"},
|
|
286
|
+
{"quote": "Always make a total effort, even when the odds are against you.", "author": "Arnold Palmer"},
|
|
287
|
+
{"quote": "Life doesn’t run away from nobody. Life runs at people.", "author": "Joe Frazier"},
|
|
288
|
+
{"quote": "The last 10 percent it takes to launch something takes as much energy as the first 90 percent.", "author": "Rob Kalin"},
|
|
289
|
+
{"quote": "Don’t let life discourage you; everyone who got where he is had to begin where he was.", "author": "Richard L. Evans"},
|
|
290
|
+
{"quote": "Greatness is a lot of small things done well. Day after day, workout after workout, obedience after obedience, day after day.", "author": "Ray Lewis"},
|
|
291
|
+
{"quote": "Risk more than others think is safe. Dream more than others think is practical.", "author": "Howard Schultz"},
|
|
292
|
+
{"quote": "Next time you think you are important, try ordering somebody else’s dog around.", "author": "Will Rogers"},
|
|
293
|
+
{"quote": "I made a resolve then that I was going to amount to something if I could. And no hours, nor amount of labor, nor amount of money would deter me from giving the best that there was in me. And I have done that ever since, and I win by it. I know.", "author": "Colonel Harland Sanders"},
|
|
294
|
+
{"quote": "If you see a bandwagon, it’s too late.", "author": "James Goldsmith"},
|
|
295
|
+
{"quote": "Everyone has a plan ’til they get punched in the mouth.", "author": "Mike Tyson"},
|
|
296
|
+
{"quote": "I’ve missed more than 9000 shots in my career. I’ve lost almost 300 games. 26 times, I’ve been trusted to take the game winning shot and missed. I’ve failed over and over and over again in my life. And that is why I succeed.", "author": "Michael Jordan"},
|
|
297
|
+
{"quote": "One, don’t believe everything that’s written about you. Two, don’t pick up too many checks.", "author": "Babe Ruth"},
|
|
298
|
+
{"quote": "Before you speak, run this through your head: Is what I’m about to say true? Is it helpful? Is it inspiring? Is it necessary? Is it kind? If you cannot answer yes to these questions, then don’t say it, don’t tweet it, don’t write it.", "author": "Beret Guidera"},
|
|
299
|
+
{"quote": "You can and should set your own limits and clearly articulate them. This takes courage, but it is also liberating and empowering, and often earns you new respect.", "author": "Rosalind Brewer"},
|
|
300
|
+
{"quote": "Every vision is a joke until the first man accomplishes it; once realized, it becomes commonplace.", "author": "Robert Goddard"},
|
|
301
|
+
{"quote": "Don’t be afraid your life will end; be afraid that it will never begin.", "author": "Grace Hansen"},
|
|
302
|
+
{"quote": "When you meet somebody for the first time, you’re not meeting them. You’re meeting their representative.", "author": "Chris Rock"},
|
|
303
|
+
{"quote": "Not everything that can be counted counts, and not everything that counts can be counted.", "author": "William Bruce Cameron"},
|
|
304
|
+
{"quote": "We always honor our people when they die; we’ve got to honor them while we’re still alive.", "author": "Biz Markie"},
|
|
305
|
+
{"quote": "Live your life as an exclamation rather than an explanation.", "author": "Isaac Newton"},
|
|
306
|
+
{"quote": "It’s easy to do nothing, but your heart breaks a little more every time you do.", "author": "Mark Ruffalo"},
|
|
307
|
+
{"quote": "Pressure is a privilege. It only comes to those who earn it.", "author": "Billie Jean King"},
|
|
308
|
+
{"quote": "There will come a time when you believe everything is finished. That will be the beginning.", "author": "Louis L’Amour"},
|
|
309
|
+
{"quote": "The truth is, everyone is going to hurt you. You just got to find the ones worth suffering for.", "author": "Bob Marley"},
|
|
310
|
+
{"quote": "Give me a stock clerk with a goal, and I will give you a man who will make history. Give me a man without a goal, and I will give you a stock clerk.", "author": "James Cash Penney"},
|
|
311
|
+
{"quote": "I shall never pay a dollar of your unjust penalty.", "author": "Susan B. Anthony"},
|
|
312
|
+
{"quote": "My first job was washing dishes in the basement of a nursing home for $2.10 an hour, and I learned as much about the value of hard work there as I ever did later.", "author": "Douglas Preston"},
|
|
313
|
+
{"quote": "Understand well as I may, my comprehension can only be an infinitesimal fraction of all I want to understand.", "author": "Ada Lovelace"},
|
|
314
|
+
{"quote": "When you are not willing to fully receive, you are training the universe not to give to you! It’s simple: if you aren’t willing to receive your share, it will go to someone else who is.", "author": "T. Harv Eker"},
|
|
315
|
+
{"quote": "You’re going to fall down, but the world doesn’t care how many times you fall down, as long as it’s one fewer than the numbers of times you get back up.", "author": "Aaron Sorkin"},
|
|
316
|
+
{"quote": "You do this because you like it, you think what you’re making is beautiful. And if you think it’s beautiful, maybe they think it’s beautiful.", "author": "Lou Reed"},
|
|
317
|
+
{"quote": "We are less bored than our ancestors were, but we are more afraid of boredom.", "author": "Bertrand Russell"},
|
|
318
|
+
{"quote": "Luck? I don’t know anything about luck. I’ve never banked on it, and I’m afraid of people who do. Luck to me is something else: hard work, and realizing what is opportunity and what isn’t.", "author": "Lucille Ball"},
|
|
319
|
+
{"quote": "Don’t aspire to make a living, aspire to make a difference.", "author": "Denzel Washington"},
|
|
320
|
+
{"quote": "It’s good to learn from your mistakes. It’s better to learn from other people’s mistakes.", "author": "Warren Buffett"},
|
|
321
|
+
{"quote": "Every man dies. Not every man really lives.", "author": "William Wallace"},
|
|
322
|
+
{"quote": "I feel like if it’s not scaring you, you’re doing it wrong.", "author": "Anna Kendrick"},
|
|
323
|
+
{"quote": "You don’t become what you want, you become what you believe.", "author": "Oprah Winfrey"},
|
|
324
|
+
{"quote": "There is no element of genius without some form of madness.", "author": "Aristotle"},
|
|
325
|
+
{"quote": "Sometimes you have to wander a bit, and do what you don’t want to in order to figure out what it is you’re supposed to do.", "author": "Larry David"},
|
|
326
|
+
{"quote": "Life always offers you a second chance. It is called tomorrow.", "author": "Dylan Thomas"},
|
|
327
|
+
{"quote": "To scale, do things that don’t scale.", "author": "Reid Hoffman"},
|
|
328
|
+
{"quote": "Normal is not something to aspire to, it’s something to get away from.", "author": "Jodie Foster"},
|
|
329
|
+
{"quote": "Sometimes your joy is the source of your smile, but sometimes your smile can be the source of your joy.", "author": "Thich Nhat Hanh"},
|
|
330
|
+
{"quote": "Men give me credit for some genius. All the genius I have lies in this; when I have a subject in hand, I study it profoundly. Day and night it is before me. My mind becomes pervaded with it. Then the effort that I have made is what people are pleased to call the fruit of genius. It is the fruit of labor and thought.", "author": "Alexander Hamilton"},
|
|
331
|
+
{"quote": "Time is life itself, and life resides in the human heart.", "author": "Michael Ende"},
|
|
332
|
+
{"quote": "The big money is not in the buying and selling … but in the waiting.", "author": "Charlie Munger"},
|
|
333
|
+
{"quote": "Gratitude is not only the greatest of virtues, but the parent of all the others.", "author": "Marcus Tullius Cicero"},
|
|
334
|
+
{"quote": "Someone once said, 'Adversity introduces a man to himself.' For some reason, that’s scary, but most people discover that adversity does make them stronger.", "author": "Max Cleland"},
|
|
335
|
+
{"quote": "I can’t tell you which one is right. But I can tell you which one is more fun.", "author": "Phil Knight"},
|
|
336
|
+
{"quote": "The lessons aren’t about wealth or fame or working harder and harder. The clearest message that we get from this 75-year study is this: Good relationships keep us happier and healthier. Period.", "author": "Robert Waldinger"},
|
|
337
|
+
{"quote": "I put instant coffee in a microwave oven and almost went back in time.", "author": "Steven Wright"},
|
|
338
|
+
{"quote": "The best way out is always through.", "author": "Robert Frost"},
|
|
339
|
+
{"quote": "If you want to lift yourself up, lift up someone else.", "author": "Booker T. Washington"},
|
|
340
|
+
{"quote": "Still and all, why bother? Here’s my answer. …", "author": "Kurt Vonnegut"},
|
|
341
|
+
{"quote": "In every good marriage, it helps sometimes to be a little deaf.", "author": "Ruth Bader Ginsburg"},
|
|
342
|
+
{"quote": "People think I’m an overnight success. No. It’s just that you all found me overnight.", "author": "Leslie Jones"},
|
|
343
|
+
{"quote": "To bring about change, you must not be afraid to take the first step. We will fail when we fail to try.", "author": "Rosa Parks"},
|
|
344
|
+
{"quote": "If you think you are too small to make a difference, try sleeping with a mosquito.", "author": "Dalai Lama"},
|
|
345
|
+
{"quote": "There is only one boss: the customer. And he can fire everybody in the company, from the chairman on down, simply by spending his money somewhere else.", "author": "Sam Walton"},
|
|
346
|
+
{"quote": "I always want to say to people who want to be rich and famous: 'Try being rich first.' See if that doesn’t cover most of it.", "author": "Bill Murray"},
|
|
347
|
+
{"quote": "We don’t want to suffer. We don’t want to feel discomfort. So the whole time, we’re living our lives in a very comfortable area. There’s no growth in that.", "author": "David Goggins"},
|
|
348
|
+
{"quote": "It’s better for people to miss you than to have seen too much of you.", "author": "Edward Norton"},
|
|
349
|
+
{"quote": "Forget about style; worry about results.", "author": "Bobby Orr"},
|
|
350
|
+
{"quote": "St. Francis of Assisi taught me that there is a wound in the Creation and that the greatest use we could make of our lives was to ask to be made a healer of it.", "author": "Alan Paton"},
|
|
351
|
+
{"quote": "My motto was always to keep swinging. Whether I was in a slump or feeling badly or having trouble off the field, the only thing to do was keep swinging.", "author": "Hank Aaron"},
|
|
352
|
+
{"quote": "Developing a good work ethic is key. Apply yourself at whatever you do, whether you’re a janitor or taking your first summer job, because that work ethic will be reflected in everything you do in life.", "author": "Tyler Perry"},
|
|
353
|
+
{"quote": "The road to success is not easy to navigate, but with hard work, drive, and passion, it’s possible to achieve the American dream.", "author": "Tommy Hilfiger"},
|
|
354
|
+
{"quote": "I don’t like to gamble, but if there’s one thing I’m willing to bet on, it’s myself.", "author": "Beyoncé"},
|
|
355
|
+
{"quote": "Nobody in life gets exactly what they thought they were going to get. But if you work really hard and you’re kind, amazing things will happen.", "author": "Conan O’Brien"},
|
|
356
|
+
{"quote": "Pray as though everything depended on God. Work as though everything depended on you.", "author": "Saint Augustine"},
|
|
357
|
+
{"quote": "If you don’t fall how are you going to know what getting up is like.", "author": "Stephen Curry"},
|
|
358
|
+
{"quote": "Frankly, it’s time for a new generation of leaders.", "author": "Mitt Romney"},
|
|
359
|
+
{"quote": "To be a Christian means to forgive the inexcusable because God has forgiven the inexcusable in you.", "author": "C. S. Lewis"},
|
|
360
|
+
{"quote": "I always prefer to believe the best of everybody, it saves so much trouble.", "author": "Rudyard Kipling"},
|
|
361
|
+
{"quote": "This is it. This is life, the one you get.", "author": "Jeff Barry"},
|
|
362
|
+
{"quote": "Greatness is not measured by what you build, but by what you inspire others to create.","author": "Raul M. Uñate"}
|
|
363
|
+
]
|
|
@@ -0,0 +1,20 @@
|
|
|
1
|
+
from orionis.container.facades.facade import Facade
|
|
2
|
+
|
|
3
|
+
class Inspire(Facade):
|
|
4
|
+
|
|
5
|
+
@classmethod
|
|
6
|
+
def getFacadeAccessor(cls):
|
|
7
|
+
"""
|
|
8
|
+
Retrieves the binding key used to resolve the 'inspire' service from the service container.
|
|
9
|
+
|
|
10
|
+
This method provides the unique identifier string that the service container uses to locate
|
|
11
|
+
and return the implementation associated with the 'inspire' service. It is typically used
|
|
12
|
+
internally by the Facade base class to delegate calls to the appropriate service instance.
|
|
13
|
+
|
|
14
|
+
Returns
|
|
15
|
+
-------
|
|
16
|
+
str
|
|
17
|
+
The binding key "core.orionis.inspire" that identifies the 'inspire' service in the container.
|
|
18
|
+
"""
|
|
19
|
+
|
|
20
|
+
return "core.orionis.inspire"
|