Honeywell 22kw home standby generator
[Genkicourses.site] ✔️Brett Kitchen and Ethan Kap – P2 Virtual Selling Accelerator ✔️ Full Course Download
2023.06.10 06:08 AutoModerator [Genkicourses.site] ✔️Brett Kitchen and Ethan Kap – P2 Virtual Selling Accelerator ✔️ Full Course Download
| ➡️ https://www.genkicourses.site/product/brett-kitchen-and-ethan-kap-p2-virtual-selling-accelerato⬅️ Get the course here: [Genkicourses.site] ✔️Brett Kitchen and Ethan Kap – P2 Virtual Selling Accelerator ✔️ Full Course Download https://preview.redd.it/rd2zaanf1x4b1.jpg?width=510&format=pjpg&auto=webp&s=820c3240292372a299569fd7ea3792953d27be98 Courses proof (screenshots for example, or 1 free sample video from the course) are available upon demand, simply Contact us here P2 Virtual Selling Accelerator – How to become a Virtual Selling Master in Just 5 Days! P2 Virtual Selling Accelerator Overview Virtual selling is no longer optional—it’s an absolute necessity. And even if circumstances change, you’ve seen how the ability to sell and close deals virtually can give you the income, lifestyle and retirement you’ve always dreamed of. But as we all know, selling virtually is not the same as selling face to face for a host of reasons. Often the prospects you sell virtually haven’t seen you present for 90 minutes at a seminar. They definitely aren’t in the confined quiet of your office…and they are most likely being distracted by whatever is going on at home. Plus you don’t have the rapport of being face to face, or the non-verbal communication so important in selling. That’s why—in just a few days—Ethan and I are hosting a 5-day crash course called Presuppostional Playbook (P2) Virtual Selling ACCLERATOR. Normally, we’d push out the launch of a new program 30-60 days, but for obvious reasons, THIS CANNOT WAIT. If you’re willing to give us 90 minutes for 5 straight days, we’ll give you everything you need to master ALL aspects of the virtual selling process, from that first appointment to getting paid. And yes, this even includes technical training and lead generation. Whether you’ve never made a sale virtually and are terrified by the idea… or you currently sell virtually but want to take your sales to the next level, the P2 Virtual Selling Accelerator gives you the scripts, steps, questions and even presentations we’ve used to sell virtually for the past 10 years…and it accellerates your results because you’ll get it all in just 5 days! submitted by AutoModerator to GenkiCourses_Cheapest [link] [comments] |
2023.06.10 06:07 CedarRain AI Baseline Capabilities Testing
| I'd love to get some feedback on this idea. Might eventually build a website with these baseline responses to test the AI models. Do ya'll think this would be valuable info to have? Or a waste of time? Think benchmark comparisons or website like rtings.com. I've begun the process of testing different AI models based on a series of prompts ChatGPT generated to be able to create a baseline of responses that can be compared and contrasted. This is the series of 12 prompts meant to test the capabilities of the model and be able to compare them: 01 Understanding & Generating Coherent Narratives Write a short story about a spaceship crew that discovers an unknown planet. The story should include a clear beginning, middle, and end, the crew's reaction to the discovery, their exploration of the planet, and the consequences of their exploration. 02 Question Answering Who won the Nobel Prize in Literature in 2022 and for what work? 03 Arithmetic Reasoning If a train travels at a speed of 60 miles per hour and it needs to cover a distance of 120 miles, how long will it take to reach its destination? 04 Logical Reasoning If all apples are fruits and some fruits are red, does it mean that some apples are red? Explain your answer. 05 Understanding Context & Inference Read the following passage and answer the question: 'Sarah looked at the dark clouds gathering in the sky. She quickly started to gather her things and headed for home.' What can you infer about the situation? 06 Creativity & Innovation Imagine a world where humans have the ability to fly. Describe a day in the life of a person in this world. 07 Understanding & Generating Poetry Write a sonnet about the beauty of the night sky. 08 Understanding & Applying Scientific Concepts Explain the theory of evolution by natural selection in simple terms. 09 Understanding & Applying Historical Facts Describe the events leading up to the American Revolution and its significance. 10 Understanding & Applying Mathematical Concepts Explain the Pythagorean theorem and provide an example of how it can be used. 11 Understanding & Applying Legal Concepts Explain the concept of 'innocent until proven guilty' in the context of the legal system. 12 Understanding & Applying Medical Concepts Explain the role of insulin in the human body and what happens in its absence. Here are some examples of some of the data compiled so far: Understanding & Generating Coherent Narratives Question Answering Arithmetic Reasoning Logical Reasoning Understanding Context & Inference submitted by CedarRain to ChatGPT [link] [comments] |
2023.06.10 06:05 AlvaroCSLearner C$50 Finance Error: "Expected to find select field with name "symbol", but none found"
I don't why this error is happening. I complete everything and I think all of it is Ok. I don't know what else i have to do to fix it. In my input field of sell.html it has everything even the name:symbol in the first input tag. What do you think is the error? I will leave the HTML codes and my app.py code. It'd be appreciated if you help me. Thanks!
Check50:
https://submit.cs50.io/check50/c32d9038f344cb930b7cae76539e2b5b95208942 app.py code: ```Python import os import datetime
from cs50 import SQL from flask import Flask, flash, redirect, render_template, request, session from flask_session import Session from tempfile import mkdtemp from werkzeug.security import check_password_hash, generate_password_hash
from helpers import apology, login_required, lookup, usd
Configure application
app = Flask(
name)
Custom filter
app.jinja_env.filters["usd"] = usd
Configure session to use filesystem (instead of signed cookies)
app.config["SESSION_PERMANENT"] = False app.config["SESSION_TYPE"] = "filesystem" Session(app)
Configure CS50 Library to use SQLite database
db = SQL("sqlite:///finance.db")
invalid_chars = ["'", ";"]
@app.after_request def after_request(response): """Ensure responses aren't cached""" response.headers["Cache-Control"] = "no-cache, no-store, must-revalidate" response.headers["Expires"] = 0 response.headers["Pragma"] = "no-cache" return response
@app.route("/") @login_required def index(): """Show portfolio of stocks""" stocks = [] GrandTotal = 0 user_cash = db.execute("SELECT users.cash FROM users WHERE users.id = ?", session["user_id"]) if user_cash: cash = user_cash[0]['cash'] else: cash = 0 user_stocks = db.execute("SELECT stocks.symbol FROM stocks JOIN user_stocks ON user_stocks.stock_id = stocks.id JOIN users ON users.id = user_stocks.user_id WHERE users.id = ?;", session["user_id"]) if user_stocks: for stock in user_stocks: stockdata = lookup(stock['symbol']) db.execute("UPDATE stocks SET price = ? WHERE symbol = ?;", stockdata['price'], stockdata['symbol']) stocks = db.execute("SELECT SUM(user_stocks.shares) AS Total_Shares, stocks.symbol, stocks.price, stocks.price * SUM(user_stocks.shares) AS Total_Holding_Value FROM user_stocks JOIN stocks ON stocks.id = user_stocks.stock_id JOIN users ON users.id = user_stocks.user_id WHERE users.id = ? GROUP BY (user_stocks.stock_id);", session["user_id"]) gtotal = db.execute("SELECT user_stocks.cost * SUM(user_stocks.shares) AS Total_Grand FROM user_stocks JOIN users ON users.id = user_stocks.user_id WHERE users.id = ? GROUP BY (stock_id);", session["user_id"]) if gtotal: for stock in gtotal: GrandTotal += stock['Total_Grand'] GrandTotal = GrandTotal + cash return render_template("index.html", stocks=stocks, cash=cash, GrandTotal=GrandTotal)
@app.route("/buy", methods=["GET", "POST"]) @login_required def buy(): """Buy shares of stock""" # If the request.method is POST: if request.method == 'POST': # Getting the current time of the bought current_time = datetime.datetime.now().strftime("%H:%M:%S") # Getting the current date of the sell current_date = datetime.date.today().strftime("%d/%m/%Y") # Getting the symbol and the shares values from the input of "buy.html" symbol = request.form.get("symbol") shares = str(request.form.get("shares")) # Checking valid input for shares if shares.count('.'): return apology("Should be an integer", 400) elif any(char.isalpha() for char in shares): return apology("Should be an integer entirely", 400) elif shares.startswith('-'): return apology("Amount of shares must be positive",400) else: shares = int(shares) # If there's no symbol return an apology if not symbol: return apology("Must provide a Stock Symbol", 400) # Getting the stock values stockdict = lookup(symbol) # If the stock doesn't exits: if not stockdict: return apology("Stock Symbol doesn't exits", 400) # If the number of shares is not positive: if shares < 0: return apology("Number of shares must be positive", 400) # Getting the cash of the current user cash = db.execute("SELECT cash FROM users WHERE id = ?", session["user_id"]) # Getting the current price of the current stock symbol: price = str(stockdict['price']) if price.count('.'): price = float(price) symbol_stock = stockdict['symbol'] # Comparing the cash with the total price of the stock: if cash[0]['cash'] < (int(price)
shares): return apology("Cannot afford stock", 400) # If everything is OK get all the symbols that the stocks table currently has stocks = db.execute("SELECT symbol FROM stocks;") # If there's no the wanted stock insert it into the stocks table otherwise update to the current price: if not stocks or not any(symbol_stock in stock.values() for stock in stocks): db.execute("INSERT INTO stocks (symbol, price) VALUES (?, ?)", symbol_stock, price) else: db.execute("UPDATE stocks SET price = ? WHERE symbol = ?;", price, symbol_stock) # Getting the stock's id: stock_id = db.execute("SELECT id FROM stocks WHERE symbol = ?", symbol_stock) # Inserting into the user_stocks table the user_id, the wanted stock_id and the cost of the total stock: db.execute("INSERT INTO user_stocks (user_id, stock_id, cost, shares, transaction_type, time, date) VALUES (?, ?, ?, ?, ?, ?, ?)", session['user_id'], stock_id[0]['id'], price, shares, 'BUY', current_time, current_date) # Updating the user's cash with the cost of the total stock: db.execute("UPDATE users SET cash = ? WHERE id = ?", (cash[0]['cash'] - (priceshares)), session['user_id']) return redirect("/") else: return render_template("buy.html")
@app.route("/history") @login_required def history(): """Show history of transactions""" history = db.execute("SELECT stocks.symbol, user_stocks.cost, user_stocks.shares, user_stocks.transaction_type, user_stocks.time, user_stocks.date FROM user_stocks JOIN stocks ON stocks.id = user_stocks.stock_id JOIN users ON users.id = user_stocks.user_id WHERE users.id = ?", session['user_id']) if not history: return apology("You don't have transactions", 400) return render_template("history.html", history=history)
@app.route("/login", methods=["GET", "POST"]) def login(): """Log user in"""
# Forget any user_id session.clear() # User reached route via POST (as by submitting a form via POST) if request.method == "POST": # Ensure username was submitted if not request.form.get("username"): return apology("Must Provide Username", 400) # Ensure password was submitted elif not request.form.get("password"): return apology("Must Provide Password", 400) # Query database for username rows = db.execute("SELECT * FROM users WHERE username = ?", request.form.get("username")) # Ensure username exists and password is correct if len(rows) != 1 or not check_password_hash(rows[0]["hash"], request.form.get("password")): return apology("Invalid Username and/or Password", 400) # Remember which user has logged in session["user_id"] = rows[0]["id"] # Redirect user to home page return redirect("/") # User reached route via GET (as by clicking a link or via redirect) else: return render_template("login.html")
@app.route("/logout") def logout(): """Log user out"""
# Forget any user_id session.clear() # Redirect user to login form return redirect("/")
@app.route("/quote", methods=["GET", "POST"]) @login_required def quote(): """Get stock quote.""" if request.method == 'POST': symbol = request.form.get("symbol") if not symbol: return apology("Enter a symbol", 400) lookup_dict = lookup(symbol) if not lookup_dict: return apology("Invalid Symbol", 400) return render_template("quoted.html", stock=lookup_dict) else: return render_template("quote.html")
@app.route("/register", methods=["GET", "POST"]) def register(): """Register user""" has_symbol = False has_lower = False has_upper = False has_number = False requirements_meeted = False if request.method == 'POST': username = request.form.get("username") password = request.form.get("password") confirmation = request.form.get("confirmation")
usernames = db.execute("SELECT username FROM users;") if not username or username == '': return apology("Username not avaliable", 400) for char in username: if char in invalid_chars: return apology("Username has not appropiate characters", 400) for dict in usernames: if username == dict['username']: return apology("Username already exists", 400) if not password or password == '' or not confirmation: return apology("Password not avaliable", 400) if password != confirmation or confirmation == '': return apology("Passwords doesn't match", 400) for character in password: if character in invalid_chars: return apology("Password has not appropiate characters", 400) for char in password: if not char.isalnum() and not char.isspace(): has_symbol = True if char.islower(): has_lower = True if char.isupper(): has_upper = True if char.isdigit(): has_number = True if has_symbol and has_lower and has_upper and has_number: requirements_meeted = True if requirements_meeted == True: db.execute("INSERT INTO users (username, hash) VALUES (?, ?);", username, generate_password_hash(confirmation)) return redirect("/login") else: return apology("Password don't meet the requirements. Passwords must have symbols, digits, lower and upper letters", 400) else: return render_template("register.html")
@app.route("/sell", methods=["GET", "POST"]) @login_required def sell(): """Sell shares of stock""" # If the request method is POST: if request.method == "POST": # Getting the current time of the sell current_time = datetime.datetime.now().strftime("%H:%M:%S") # Getting the current date of the sell current_date = datetime.date.today().strftime("%d/%m/%Y") # Getting the selled symbol symbol = request.form.get("symbol") if not symbol: return apology("Must enter a symbol", 400) # Getting the stock data: stock = lookup(symbol) # If there's no stock return an apology if not stock: return apology("Symbol doesn't exits", 400) # Getting the stocks symbols of the user stocks_symbol = db.execute("SELECT symbol FROM stocks JOIN user_stocks ON user_stocks.stock_id = stocks.id JOIN users ON user_stocks.user_id = users.id WHERE users.id = ?;", session["user_id"]) if stocks_symbol: # Getting all the symbols of the user as a list symbols = [each_symbol for stock_symbol in stocks_symbol for each_symbol in stock_symbol.values()] # If the symbol is not in the list return an apology if not symbol in symbols: return apology("Symbol not acquired", 400) else: return apology("Must buy stocks", 400) # Getting the shares that we want to sell shares = str(request.form.get("shares")) # Checking valid input for shares if shares.count('.'): return apology("Should be an integer", 400) elif any(char.isalpha() for char in shares): return apology("Should be an integer entirely", 400) elif shares.startswith('-'): return apology("Amount of shares must be positive",400) else: shares = int(shares) # If the number of shares is not positive or the number of shares is greater than the number of acquired shares return an apology if shares < 0: return apology("Shares must be positive", 400) if shares == 0: return apology("Amount of shares must be greater than 0", 400) # Getting the total shares of the selled symbol shares_symbol = db.execute("SELECT SUM(user_stocks.shares) AS Total_Shares, stocks.symbol FROM user_stocks JOIN users ON user_stocks.user_id = users.id JOIN stocks ON user_stocks.stock_id = stocks.id WHERE users.id = ? AND stocks.symbol = ? GROUP BY (user_stocks.stock_id);", session["user_id"], symbol) # Checking if the user has the appropiate amount of shares if shares > int(shares_symbol[0]['Total_Shares']): return apology("Amount of shares not acquired", 400) # Getting the current price of the stock Price_Symbol = db.execute("SELECT price FROM stocks WHERE symbol = ?;", symbol) # Getting the total dollars amount of the selled stock Total_AmountSelled = Price_Symbol[0]['price'] * shares # Getting the current cash of the user cash = db.execute("SELECT cash FROM users WHERE users.id = ?;", session["user_id"]) # Updating the cash of the user: current_cash = cash[0]['cash'] + Total_AmountSelled db.execute("UPDATE users SET cash = ? WHERE users.id = ?;", current_cash, session["user_id"]) # Getting the current shares of the stock symbol_id = db.execute("SELECT id FROM stocks WHERE symbol = ?;", symbol) Total_Shares = (shares * -1) # Updating the shares of the user: db.execute("INSERT INTO user_stocks (user_id, stock_id, cost, shares, transaction_type, time, date) VALUES (?, ?, ?, ?, ?, ?, ?);",session["user_id"], symbol_id[0]['id'], stock['price'], Total_Shares, "SELL", current_time, current_date) return redirect("/") else: return render_template("sell.html")
@app.route("/buycash", methods=["GET", "POST"]) @login_required def buycash(): if request.method == 'POST': cash = int(request.form.get("cashamount")) if cash > 10000 or cash < 1: return apology("Amount of cash invalid, must be positive and less than 10000", 400) user_cash = db.execute("SELECT cash FROM users WHERE users.id = ?", session["user_id"]) total_cash = user_cash[0]['cash'] + cash if total_cash > 20000: returned_amount = total_cash - 20000 total_cash = total_cash - returned_amount if user_cash[0]['cash'] == 20000: return apology("Cannot buy more cash", 400) db.execute("UPDATE users SET cash = ? WHERE users.id = ?;", total_cash, session["user_id"]) return redirect("/") else: return render_template("buycash.html")
@app.route("/changepassword", methods=["GET", "POST"]) def changepassword(): if request.method == 'POST': username = request.form.get("username") new_password = request.form.get("new_password") new_password_confirmation = request.form.get("new_password_repeated")
usernamesdict = db.execute("SELECT username FROM users;") usernames = [username for dictionary in usernamesdict for username in dictionary.values()] if username not in usernames: return apology("Username not registered", 400) for char in username: if char in invalid_chars: return apology("Username has not appropiate characters", 400) if new_password != new_password_confirmation: return apology("Password not matched", 400) if not new_password or new_password == '': return apology("Password not avaliable", 400) for char in new_password: if char in invalid_chars: return apology("Password has not appropiate characters", 400) user_id = db.execute("SELECT users.id FROM users WHERE users.username = ?", username) db.execute("UPDATE users SET hash = ? WHERE users.id = ?;", generate_password_hash(new_password_confirmation), user_id[0]['id']) return redirect("/login") else: return render_template("changepassword.html")
```
sell.html code: ```HTML {% extends "layout.html" %}
{% block title %} Sell {% endblock %}
{% block main %}
{% endblock %} ```
index.html code: ```HTML {% extends "layout.html" %}
{% block title %} Home {% endblock %}
{% block main %}
{% endblock %} ````
submitted by
AlvaroCSLearner to
cs50 [link] [comments]
2023.06.10 06:03 AutoModerator I HAVE Iman Gadzhi Agency Navigator, Biaheza Dropshipping Course, Andrew Tate all Courses Bundle, And OVER 3,000 MORE COURSES. If ANYONE WANTS them (http://smmacourses.site/)
If ANYONE WANTS them (
http://smmacourses.site/)
NEW COURSES (Included when buying my whole collection!):
· ⭐Iman Gadzhi – Agency Navigator 2023
· ⭐Sam Ovens - Consulting Accelerator 2023
· ⭐Cole Gordon – 30 Day Closer
· ⭐Montell Gordon - Agency Transmulation
· ⭐Charlie Morgan - Easygrow Course
· ⭐Sebastian Esqueda - Ecom Revolution
· ⭐Biaheza Droppshiping Course 2023
· Andrew Tate – Courses Bundle
· Charlie Morgan - Imperium Agency
· Charlie Morgan - Gym Growth Accelerator
· Biaheza - Full Dropshipping Course 2023
· Jordan Welch - The Reveal 2023
· Savannah Sanchez - TikTok Ads Course 2023
· Iman Gadzhi - Copy Paste Agency
· Sam Ovens - UpLevel Consulting
· Miles – The FBA Roadmap + The Profit Vault
· Andrew Giorgi – Amazon Dropshipping Course
· Sebastian Esqueda – Ecom Revolution Training Program
· Luca Netz – Advanced Dropshipping 2023
· Kevin King – Freedom Ticket 3.0
· Jordan Platten – LearnAds – Facebook Ads Pro 2023
· Miles – The FBA Roadmap + The Profit Vault
· Dan Vas – Ecom Freedom Shopify Blueprint 2023
· Alexander J.A Cortes - WiFi Money Machine
· Kody Knows - Native Mastery
· Bastiaan Slot - Six Figure Consulting
· Kaibax - Centurion agency
· Joe Robert - Print On Demand Accelerator
· Ryan Hogue - Ryan's Method Dropshipped POD
· Kevin Zhang - Ecommerce Millionaire Mastery
· Ryan Lee – 48 Hour Continuity
· [METHOD] ⚡️TikTok Algorithm Domination Skyrocket your engagement TODAY Updated 2023✨
· Troy Ericson – Email List Management Certification
· Larry Goins – Filthy Riches Home Study Course
· Ry Schwartz – Automated Intimacy
· Patrick Bet-David – All Access Bundle
· Andrea Unger – Master the Code & Go LIVE
· Jon Benson – 10 Minute Sales Letter
· Alen Sultanic – Automatic Clients & Bonuses
· Taylor Welch – Cashflow for Consultants
· Akeem Reed – Slingshot Rental Blueprint
· The Futur Greg Gunn – Illustration for Designers
· Trading180 – Supply And Demand Zone Trading Course
· Jim McKelvey (Foundr) – How To Build An Unbeatable Business
· Master of AI Copy – Copy School by Copyhackers
· Copyhackers – Copy School 2023
· Matei – Gann Master Forex Course
· YOYAO Hsueh – Topical Maps Unlocked
· Tyler McMurray – Facts Verse Youtube Automation Course
· Ashton Shanks – 7 Day Copywriting Challenge Featuring ChatGPT
· Rene Lacad – Rockstar Marketing Blueprint
· Top Trade Tools – Hedge Fund Trender
· Brandi Mowles – Conversion For Clients
· Glen Allsopp – SEO Blueprint 2 (DETAILED)
· Trading Busters – Prop Trading Formula Course
· Sam Woods – The AI Copywriting Workshop (Complete Edition)
· Brian Anderson – Recovery Profit System
· LOW COMPETITION KEYWORDS IN MINUTES ⚡ 70+ REVIEWS ✅ BONUS PDF WORTH $200+
· Devon Brown – Easiest System Ever
· Duston McGroarty – St. Patrick’s Day 2023 Live Event
· Dan Wardrope – Click & Deploy Sales Android
· Lost Boys Academy – How To Make Life Changing Money With OnlyFans!
· WealthFRX Trading Mastery Course 2.0
· TOM & HARRY – Digital Culture Academy
· 100+ Cold Email Templates
· [METHOD] ✅ Make Real Cash with Auto Blogging ⛔Get $1199 Worth of Resources ❌ CUSTOMIZED SECRET PROCESS⚡DONE FOR YOU SITE ⭐ Unlimited Niche Opportunity & So on
· Tobias Dahlberg – Brand Mastery
· Raul Gonzalez – Day Trading Institution 2.0
· Rasmus & Christian Mikkelsen –Impact Academy 2023
· [METHOD] ☢️ The Quick eBay Money Loophole Guide ☢️
· Apteros Trading – March 2023 Intensive
· Rob Lennon – Zero to 10k Twitter Accelerator
· Rob Lennon – Next-Level Prompt Engineering with AI
· Rasmus & Christian Mikkelsen – NEW Audiobook Income Academy Download
· Grow and Convert – Customers From Content
· Charles Miller – The Writersonal Branding Playbook
· Kaye Putnam – Convert with a Quiz
· Forex Mentor – London Close Trade 2.0
· Chase Reiner – Fortune Bots Update 1
· Andrew Ethan Zeng – Social Marketing Mastery
· [Method] Upload FULL, 100% Unedited Copyrighted Videos on Youtube! Content ID DESTROYER!
· Digital Daily – Top 150 ChatGPT Prompts to Make your Life Easy
· Patek Fynnip – Psychology Course
· Thomas Frank – Creator’s Companion (Ultimate Brain Edition)
· [METHOD] ⚡ See the MAGIC of Bulk Posting ✨ Untapped Method ✅ [ BONUS ChatGpt and Affiliate list Pdf]✅
· ⭕️ YouTube Content Machine – Unlimited FREE traffic for CPA – Fully Automated Method ⭕️
· Jakob Greenfeld – Scraping The Web For Fun and Profit
· Adrian Twarog – OpenAI Template Starter Kit for ChatGPT / GPT3
· The Secret Merchants List of Over 2000+ Dropshippers and Amazon FBA Suppliers Based in The US
· Top Trade Tools – Top Swing Trader Pro
· Charlie Houpert – Charisma University 2023
· ▶️ [METHOD + GUIDE] ✅ Make Money ✅ with Kindle Books ⚠️ Even if You Can’t Write ⚠️ [STEP-BY-STEP] ⚡ NO INVESTMENT REQUIRED! ⚡
· Charlie Morgan – Easy Grow
· Nina Clapperton – Jasper AI Course for Bloggers
· Travis Stephenson – Simple Profit System
· Manny Khoshbin – Real Estate Starter Program
· Tanner Henkel & Jerrod Harlan – 7-Figure Email Machine
· [METHOD] Stop Wasting Money on AI Writers Train And Fine-Tune Your Own AI For Free With No Code ⚡⚡⚡Real Method & Practice Examples ⚡⚡
· Creator Hooks – YouTube Title Mastery
· Thomas Frank – Creator’s Companion (Ultimate Brain Edition)
· Sean Dollwet – Royalty Hero
· Jason Bell – Birthday Marketing Formula
· NXT Level FX – Investors Domain
· [METHOD] ⏩ My ETSY $40K~ Passive Income 2023 + HOT Products (Earning Proof) ⏪ Make Money No Marketing Easy $40K~ Guide FOR NOOBS ✅
· Rob Jones & Gerry Cramer – Profit Singularity Ultra Edition 2022 (AI & ChatGPT)
· Cody Wittick & Taylor Lagace – The Influencer Marketing Blueprint
· ⚡️➡️$390/Week BLUEPRINT+PROOF✅Scalable Method❤️Amazon to eBay Dropship✅
· Kody Ashmore – Simpler Trading – Drama Free Day Trades ELITE
· Youri van Hofwegen – YouTube Search Automation
· Montell Gordon – Agency Transmutation
· Csaba Borzasi – Breakthrough Conversions Academy
· Tim Denning – Twitter Badassery
· Geoff Cudd – AI Writing Course for Bloggers & Digital Marketers
· RED CPA FORMULA – UNTAPPED UNDERGROUND CPA SYSTEM
· BowtiedCocoon – Zero to $100k: Landing Any Tech Sales Role
· Holly Starks – Make LINK BUILDING Great Again!
· Mike Warren – Deeds4Cash
· BITCOIN BRITS – The Crypto Course
· Max Gilles – ⚡️☄️ UHQ Leak ❤️CPA JACKER – Epic CPA Blueprint✅⚡️
· Aidan Booth & Steve Clayton – 123 Profit Update 9
· Christina Galbato – The Influencer Bootcamp
· John Thornhill – Ambassador Program
· [Sales] 999+ Ultimate ChatGPT Prompts To Copy & Paste (250+ tasks)
· Pollinate Trading – Curvy Trading System
· Content Mavericks – The Greatest Hits Content System
· Andriy Boychuk – Flowium – Klaviyo Mastery 2.0
· Dagobert Renouf – How To Dominate Twitter (Advanced Growth Bundle)
· Darius Lukas – ⭐ The Marketer’s Bible to ChatGPT ✅ 1000+ ChatGPT Prompts to Copy, Paste & Scale
· Billy Gene – 5 Day A.I. Crash Course for Marketers
· Alex Cattoni – Posse Eye Brand Voice Challenge Program
· Casey Zander – YouTube Fame Game Blueprint
· Harlan Kilstein – Midjourney Mastery
· Shawna Newman – YouTube for Niche Sites
· [Marketing] 1099+ Ultimate ChatGPT Marketing Prompts To Copy & Paste (200+ tasks)
· Karen Foo – Star Traders Forex Intermediate Course
· TheMacLyf – Hive Mind & Masterclass (Onlyfans Course)
· Brittany Lewis – Top Seller Secret
· Dan Henry – Facebook Ads for Entrepreneur
· Russ Horn – Ultra Blue Forex
· Scott Phillips – Crypto Salary System
· Roland Frasier – AI Powered Expert Apprentice + Update 1
· Roger & Barry – Give Academy 1k/Day Platinum Mastermind [COMPLETE with LATEST UPDATE]
· Bretty Curry (Smart Marketer) – Smart Amazon Ecommerce
· Steven Dux – Traders Edge 2023
· Aidan Booth & Steve Clayton – 123 Profit
· Allie Bjerk – Tiny Offer Lab
· Dicke Bush – Generate 10x More Content Using AI
· Mateusz Rutkowski – New Money Blueprint
· Smart Raja Concepts (SRC) – Forex 101
· Chase Reiner – Short Form Riches Bootcamp 2023 – AI ChatGPT Bot Update 3
· Chase Reiner – AI Profits
· Travis Sago – Cold Outreach & Prospecting AMA Offer (Best Value with All Bonuses)
· Live Traders – Professional Trading Strategies
· Allan Dib – The 1-Page Marketing Plan Course
· Dan Koe – Digital Economics Masters Degree
· The Trading Guide – The Gold Box Strategy
· The Complete XAUUSD GOLD Forex Scalping System On Real Trading Account
If ANYONE WANTS them (
http://smmacourses.site/)
submitted by
AutoModerator to
FreeDownload2023 [link] [comments]
2023.06.10 06:03 PurpleSolitudes Best Portable Power Station
| A portable power station is a compact, rechargeable battery-powered generator that can provide electricity for various electronic devices and appliances on the go. The importance of having the best portable power station cannot be overstated, especially in situations where access to traditional power sources is limited or non-existent. List Of Best Portable Power Station Westinghouse 15000 Watt Generator https://preview.redd.it/u14re3puji4b1.png?width=500&format=png&auto=webp&s=d6c0e1356f8529de14736ab4f1cd85e3dded7b21 Westinghouse 15000 Watt Generator is a high-end generator designed to provide reliable power to homes and businesses during power outages or other emergencies. This generator is built with quality in mind, and offers a range of features that make it an excellent choice for those who need dependable backup power. Read More Below DuroMax XP13000EH https://preview.redd.it/7121zebvji4b1.png?width=500&format=png&auto=webp&s=9072a4a693572a90a48762f2a2698ff940f9f99e DuroMax XP13000EH is a powerful and reliable dual fuel generator that can provide up to 13,000 watts of power. With its unique ability to run on either propane or gasoline, it provides users with a flexible and cost-effective way to power their homes or businesses during power outages or emergency situations. Read More Below Honda EU2200ITAN 2200-Watt https://preview.redd.it/sc77mzyyji4b1.png?width=499&format=png&auto=webp&s=db7cb0172f93e5fdee57ba8b7076e6dcabd427d8 Honda EU2200ITAN 2200-watt inverter generator is a powerful and reliable investment for anyone in need of power on-the-go. Whether you’re camping, tailgating, or simply experiencing a power outage at home, this generator will provide the power you need to keep your devices running smoothly. Read More Below Generac 76762 GP8000E 8,000-Watt https://preview.redd.it/zof08kjwji4b1.png?width=500&format=png&auto=webp&s=af00f807069e41fa64d23211e14f075f93f3f75b Generac is a well-known brand in the power generator market, renowned for producing high-quality and reliable generators that provide exceptional performance. The Generac 76762 GP8000E 8,000-Watt generator is no exception to this reputation. Its impressive design and build quality make it stand out from the competition, promising users a seamless and uninterrupted power supply in times of need. Read More Below Pulsar G12KBN-SG https://preview.redd.it/1tzqbmdxji4b1.png?width=499&format=png&auto=webp&s=4f9e02d194e892c24a4bab29ff4def7923aef837 Pulsar G12KBN-SG is a powerful and versatile generator that has been designed to provide reliable power for a variety of applications. With its 12,000 peak watts and 9,500 rated watts, this generator is capable of powering most household appliances, tools, and electronics. Read More Below submitted by PurpleSolitudes to storedekko [link] [comments] |
2023.06.10 05:55 AutoModerator Iman Gadzhi - Copy Paste Agency (here)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/CourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
OnlyImanGadzhi [link] [comments]
2023.06.10 05:48 AutoModerator Iman Gadzhi - Copy Paste Agency (live calls)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/CourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ToImanGadzhi [link] [comments]
2023.06.10 05:46 AutoModerator [Real] Iman Gadzhi - Copy Paste Agency
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiAccessPoint [link] [comments]
2023.06.10 05:45 AutoModerator Iman Gadhzi's Copy-Paste Agency (here)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/CourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiFanbase [link] [comments]
2023.06.10 05:41 CKangel Free Udemy Coupon Collections
submitted by
CKangel to
coursecollection [link] [comments]
2023.06.10 05:41 CKangel Free Udemy Coupon Course
submitted by
CKangel to
udemyfreebies [link] [comments]
2023.06.10 05:39 AutoModerator Iman Gadhzi - CopyPaste Agency (last program)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiBay [link] [comments]
2023.06.10 05:38 AutoModerator [Course] Iman Gadzhi - Copy Paste Agency
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiLink [link] [comments]
2023.06.10 05:37 AutoModerator [Program] Iman Gadzhi - Copy Paste Agency
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
GroupImanGadzhi [link] [comments]
2023.06.10 05:32 AutoModerator Iman Gadzhi - Copy Paste Agency (Live Calls)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiClass [link] [comments]
2023.06.10 05:30 yeahthegonk Looking for cooling options with an upgrade path for my 10+ year old PC
submitted by
yeahthegonk to
buildapc [link] [comments]
2023.06.10 05:30 AutoModerator Iman Gadzhi - Copy Paste Agency (Here)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
TopQualityIman [link] [comments]
2023.06.10 05:25 AutoModerator Iman Gadzhi - Copy Paste Agency (The Course)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/RequestCourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiCollect [link] [comments]
2023.06.10 05:21 TheDarkstarChimaera Thief in the June 27 Balance Patch
Source I'm Iskarel. I maintain the PvE Thief builds and guides on
Snow Crows With a PvE perspective, I'm going to run through the changes, discuss their impact, and talk about current meta builds and how they're impacted.
Want the build-by-build cliff notes? Skip to the bottom, search for "tl;dr"
I know this is a lot. Think of it as a reference document.
A LOT has changed. The builds aren't unrecognizable but the texture has changed almost across the board.
Flanking is Dead (for most endgame bosse)
To make them more reliable in endgame PvE content, all effects that benefit when the player strikes from the flank or from behind now always apply their benefits when striking defiant foes.
Not all players know that "flanking" or "from behind or the sides" just means—don't be in front of the target.
Ever used a build with Thief runes? Just don't stand directly in front of the target.
What fewer players will know is that there's a small set of skills that actually need you to be ~180-degrees behind your target.
- Thief Backstab (deals double damage from behind)
- Thief Sword Stealth Attack (only dazes from behind)
- Ranger Greatsword Hilt (dazes from the front, stuns from behind. This basically doesn't matter in PvE)
- Mesmer Downstate phantasm (deals more damage if the phantasm hits from behind. Hey it's like a Thief!)
Which way does Keep Construct face when it descends back to the arena after the orb-rift-push phase?
Which way does Sabetha face during her Flame Wall?
I'm not going to answer these questions because the answers don't matter anymore! This skill expression is now gone.
Just backstab from any angle.
Ah but "defiant foes"? What
isn't included there?
Can you backstab Primordus in the Harvest Temple strike if your group stays on the left vs right side, when looking from the center towards the dragon?
You would have to be on the right side. The left is the dragon's face.
Which way does Conjured Amalgamate face?
When approaching CA's platform, it is facing to your right. This also applies to the hands. Stand on the left side of the platform, and "above" the hands (closer to the portal leading away from this encounter).
Which way do the hands on Adina face?
2 o'clock (north), 5 o'clock (northwest), 7 o'clock (south), 10 o'clock (southeast)
No, I don't know why.
Just use your rifle and pierce two hands with Spotter's Shot + Death's Judgment! That's better than remembering these facing positions.
These are non-defiant "prop" type enemies. Also included here is Drakkar, the Octovine, and Tequatl. IIRC.
BTW Drakkar is made up 17 prop pieces, and you can only cast Deadeye's Mark on one of them. Don't play Deadeye here, you're trolling yourself. :D
Acrobatics Mental Gymnastics
Yeah this ain't it, chief. This is still a defensive and mobility-oriented traitline.
The damage modifier in Endless Stamina can't compete with Deadly Arts or Critical Strikes, even when combined with the Power in Swinder's Equilibrium.
The other stuff is maybe interesting for solo open world champions but Shadow Arts is already quite capable at that, and Condition Thief has a lot more toys to work with when solo compared to Power.
It's something but this traitline still feels ironically directionless.
Improvisational Theater of War
Interesting! We can now use this traitline predictably, resetting the cooldown of all or utility skills. On the surface that's good because it means we'll always get value out of the reset...unless our skill uses are staggered. More on that later.
Mag Bomb Delenda Est.
Currently this skill's damage-per-cast-time is roughly double that of Daredevil Staff 2, Weakening Charge. Notably, the cast time is short because it pulses damage.
The coefficient we have on the wiki, drawn from the Game's API, is 4.10. ANet lists a 1.50 (per hit, so 4.50 total) nerfed to 0.70. So... Uh...
Let's say Throw Magnetic Bomb's damage is nerfed to 50% of its current damage. Or there about.
So next patch, one Throw Magnetic Bomb is close to the damage of one Staff 2, but the damage comes out over time (during our Assassin Signet burst) and the cast animation is faster than Staff 2.
But is it worth losing Executioner?
Probably not. Executioner is approximately 9.52% damage on a fight that spends 50% of its time above 50% target HP and 50% of time below (due to Ferocious Strikes).
That's a lot of damage to be made up by another use of a stolen skill!
Daredevil's Bound to be Good
Bound: Increased power coefficient from 1.75 to 3.5
This ratchets up the damage of our dodge so that it beats the damage-per-cast-time of Punishing Strikes (skill 1 part C) and Staff 5, while still losing to Staff Strike and Staff Bash (skill 1 parts A/B), Staff 2, and Fist Flurry/Palm Strike.
This damage increase is valuable because
- (A) it makes dodging better for damage, on top of the damage modifiers provided by Havoc Specialist and Bounding Dodger
- (B) if we get excess endurance from our helpful allies, burning it off to maintain our modifiers hurts our DPS less on the future patch.
Auto chain go brrrr
Staff Strike, Staff Bash: Increased power coefficient.
... Uh oh.
This increase the DPS of the first and second part of the chain well beyond the last hit.
The optimal DPS rotation now involves interrupting the chain after the 2nd hit.
That's not easy to do on most professions, which have a limited number of viable interrupts, but we're Thief, baby!
Staff Strike, Staff Bash, Weakening Charge. Repeat. Throw in a Fist Flurry. Save your Palm Strike. Yeah. This sort of thing.
Calculations done by REMagic42 (
training-accident-36 ) show the following
A not insignificant DPS increase provided by this (unintended?) balance predicament.
You could just not do this. That's up to you. The build is getting buffed by ~4,000 DPS next patch but it still has all the old problems. Don't know those?
Read here Let's Get Physical (Lights out, follow the noise)
Various Physical Skill cooldown reductions
These are neat and strictly a positive.
Left, a great player who provides benchmarks for Power and Condition Daredevil, already tested Condition Daredevil with cooldown-traited Impairing Daggers and found them simply worse in group content vs Devourer Venom. You can read more on his
benchmark.
So the Impairing Daggers cooldown reduction (CDR) doesn't matter to us.
A cooldown reduction for Channeled Vigor would've been cool!
This skill basically gives you a get-out-of-jail-free dodge if you're ever scared that burning all your dodges for Havoc Specialist will leave you vulnerable. You can get a dodge with Withdraw on a shorter cooldown but that travels backwards from your facing direction which can be scary.
This skill is also very useful for maintaining Lotus Training uptime when playing Condition Daredevil. If you can't keep hitting the boss with your auto-attack chain and F1 Steal, you will run out of endurance and lose your condition damage buff. Use Channeled Vigor to maintain buff uptime when you can't hit the boss. (This tip comes from Left!)
Impact Strike is still worse defiance-bar to cooldown ratio vs Basilisk Venom, but any improvement is nice. This skill is good when you can't guarantee all hits of Basilisk Venom will hit your target, or when you need to CC more frequently than Basilisk's cooldown allows.
Death-onate Plasma and "Boon Thief"
Farewell, Boon Thief. Without Quickness, we can no longer role-compress all those shiny boons in Plasma into a Quickness Build.
I'm going to go out on a limb here and assume that the damage of Detonate Plasma will not be worth its cast time purely from a DPS perspective, especially on a Condition Build, but you might still get some boon uptime from Daredevils on fights like Matthias and Twin Largos' Kenut.
You can now permanently sunset your Celestial/Ritualist gear for Boon Thief. Will you use it for Alacrity Specter later? I don't now, I don't know how much Alacrity is given by that trait. We'll talk more later. :)
Also Icebrood Saga exists
These really don't matter. Unstable Reagent is maybe a DPS increase, I don't have a log with it for cast time.
This is NOT Unstable Artifact BTW. That skill is still worth using for both Power and Condition DPS.
Cursed Artifact is like throw-Plaguelands, and an Ethereal field at that. It's free real estate on the Condition Build.
Time in a Bottle is squad-wide alacrity AND quickness. Take that, Chronomancer! It's only found in Cold War and randomly in EoD strikes. :)
Dumbed-down-eye
Deadeye Stolen Skill splash support
Stolen Skills now grant their beneficial effects around the caster.
These are mostly "splash" uptimes of boons, but you can also get superspeed and a modest heal. Neat! Deadeye providing a token amount of squad value beyond its DPS and CC output.
Deadeye Malicious Intent buff
Malicious Intent: Increased Malice gain from 1 to 2 in PvE only
This is actually big!
Firstly, this increases the damage dealt by the lower difficulty
Be Quick or Be Killed Dagger Deadeye rotation (if you've ever heard someone described Dagger Deadeye as 5111151115111, that's this).
1 more Malice pip after each Mark and Stealth attack boost the damage modifier of Malicious Backstab. I don't have a quick estimate for this increase yet.
Secondly, this is wonderful for the Dagger-Dagger Maleficent Seven rotation.
All Power Dagger skills (Heartseeker, Dancing Dagger, Cloak & Dagger) are single-damage packet skills (with the exception of Dancing Dagger when bounced from your main target, to another enemy, and back to your main target). This means they have only one chance to score a crit, and thus only one chance to earn 2 Malice instead of 1.
Power Thief derives 15% critical chance from Critical Strikes' Keen Observer trait, which demands the player stay above 75% HP. You won't have 100% uptime of this trait in many raid fights, especially if your healer is slacking. If the current Dagger Deadeye benchmark was performed at 75% player HP, without drastically altering gear to accommodate for the missing critical chance, the benchmark could lose up to 12,000 DPS!, dropping it nearly into support territory.
This Malicious Intent buff gives you a safety cushion for one of those Initiative skills to score a non-crit, making the rotation more robust in endgame encounters. It does NOT reduce the minimum number of Initiative skills needed to reach maximum Malice: that is still 3 with Malicious Intent and 4 without. It does reduce the maximum needed by 1 skill, which is also great!
Quickly Fire For Effect
This trait no longer requires a target to grant boons to allies.
Er, it doesn't require one right now. Specifically, if you Mark a target, you can use your F2 and gain boons even if your stolen skill is obstructed by terrain. If you have your enemy targeted while outside 1,500 range you will get an
out of range error that stops you from casting F2, but simply untargeting the enemy will let you use the skill to get boons. If you are obstructed or out of range, you don't hit the target.
I assume what this means is that if you do NOT have a marked target, you can cast a cantrip to get a new F2. That's cool and rather handy for the new Quickness build.
Shadow Flare isn't real, it can't hurt you
Shadow Flare: Reduced cooldown from 30 to 20 seconds. This skill only damages once instead of pulsing. Activate the flip-over Shadow Swap to trigger another damage instance from your original location.
Deadeye dumbed down. Navigating self-reveal with pulsing damage skills on DPS Deadeye has been a hallmark of modern builds for several years—Shadow Flare for Power, Thousand Needles for Condition.
That problem is now eliminated for Power. You don't need to know the timing, you don't need to know where to throw Shadow Flare. Just Do your backstab, cast Shadow Flare for one damage packet, cast it again, go for another Backstab. No fuss, no skill expression, no frustration, no learning curve.
I don't like this change, I understand why other people like this change. I think it's dumb to change this. If you don't like self-reveal, consider not playing the class that uses Stealth and Revealed for its DPS output.
Fun in the Chamber
One in the Chamber: This trait now also increase the damage of F2 Stolen Skills in addition to its previous effects
In case anyone is unfamiliar with Deadeye—it doesn't have access to any core Stolen Skills. No Mag Bombs here!
This is a nice perk. The important thing is that this trait gives us an extra F2 charge every time we use a Stolen Skill...That's for Quickness.
This trait is also valuable to Condition Deadeye builds (particularly since there's a 4/9 chance they get a stolen skill that applies damaging conditions!) and to Power Pistol-Pistol Deadeye. See more of that
here.
Binding Shadow, my beloved
Binding Shadow - Reduced cooldown from 30 to20 seconds in PvE.
Cool! I love—
This skill now immobilizes marked targets instead of knocking them down
Oh. Uhhh it already immobilized them. I assume it immobilizes them more? That sucks, this was an amazing breakbar skill, particular on Condition Deadeye where it applied several poison stacks (natively, and via Panic Strike with Immobilize) and gave an extra F2 charge from One in the Chamber.
It's lower cooldown on boonstrip which is neat? Matches No Pain No Gain time in Fractals, I suppose.
Just use a Power Mesmer, they passively breathe boonstrip.
Quickness Deadeye builds
Three options!
Oops! All cantrips This option will spam out cantrip like nobody's business to meet the voracious demand of Might uptime.
Fire For Effect grants 8 stacks of Might for 12 seconds. The with-Alacrity cooldown of Cantrips are: 16 (Binding Shadow, Shadow Flare), 20 seconds (Malicious Restoration heal), 25 seconds (Mercy, Shadow Gust). When using Mercy, the cooldown of F1 is effectively the cooldown of Mercy, plus minimally the cast time of the F2, plus the cast time of F1 again.
So some of our Might is locked behind 25+ seconds. Building for 100% Might Duration would be devastating for our DPS output. We could cover 100% Might uptime with a single trio of F2 casts anyway—Binding Shadow, Malicious Restoration, Shadow Flare—but that would not take tactical advantage of the natural Deadeye's Mark cooldown.
Instead, we'll cover Quickness with two sets of F2 casts, staggered across the duration of our Might stacks. Left has an old benchmark demonstrating this technique.
So that's our 24-might upkeep option. It's not pretty, and it's Cantrip spam. ANet said we wouldn't have this in the game anymore.
Well, what if we don't have to generate Might?
Then we have two options:
3 cantrips with no Improvisation This option will maintain a burst of 24 might as we apply quickness, or we can space out the stolen skills to maintain at least 8 stacks indefinitely. Sounds pretty good!
Improvisation We'll probably still be using Shadow Flare because it's just good damage, and Improvisation selects for builds that use active utility skills, not passive signets. We might even be able to use Malicious Intent instead of One in the Chamber for this build, earning us more damage on Malicious Backstab.
So we have options.
Quickness Deadeye weapon options (We don't have those! )
Maleficent Seven is the only equalizer at work that allows bad weapons to do somewhat okay, and without that, we're back to shopping with the to the usual harsh restriction of "the best single skill out of all these weapons crushes the validity of all other options".
Stealth attacks? Naw, just spam F2s without Malice.
"Filler" initiative skills used to build up to an Initiative reset at max Malice? Nope, don't care, whatever has the best initiative-to-damage ratio is what we're running.
Thief Dagger is about matched with Thief sword for auto attack damage but Dagger is home to the centralizing Cloak & Dagger → Backstab combo. This does huge damage from any direction—flanking is gone!
Sword, by contrast, suffers a DPS loss when using any dual wield skill, Headshot, or Black Powder. The only DPS gain skills are Cloak & Dagger (but the stealth attack for sword is BARELY worth using, you could actually just cast Cloak & Dagger twice in a row and do just as well), and Sword 2...without using the return-to shadowstep. Meaning Sword 2 has a 15-second cooldown. Just to do slightly more than the auto-attack.
Need CC? Pack an off-hand pistol and fill time with auto-attacks, they're very good.
What about Pistol?
It's just weaker.
Shortbow?
It sucks really bad against single targets.
Rifle? This is the sniper spec!
It sucks if you don't have Maleficent Seven for infinite Initiative and either stealth utility skills or Silent Scope to unlock Death's Judgment.
Specter, rant about single-target/ally-target support
Ally-targeted scepter skills now also grant a lesser effect to additional allies in a radius around the target.
I don't know why ANet is so obsessed with single target support for PvE Specter, but they'll learn its untenable eventually. They've been gradually walking back the single target focus ever since release, and we are now about 15 months past Specter's official release and coming up on 2 years since it's beta.
Ally-targeting is clunky.
Single-target support is nonviable. We have encounters that apply arena damage to all players, and each player in the squad can take damage from the same AoE and it's the healer's job to keep the whole team up.
A "lesser effect". Reduced duration? Great, what's the point of that? You might as well just make it all the reduced duration.
Does "splashed" Shadow Sap not even grant protection to the other allies? Great, we won't use it.
Hopefully this will just be something like reduced Barrier or Healing, and the Boons are intact, but it's already been confirmed by the new member of the design team, Trig, on a Twitch Stream (Mighty Teapot's?) that Endless Night will not give Quickness to "splashed" allies.
Maybe this skill shouldn't give quickness at all. Why is the design team not skill splitting? What are they afraid of?
The Dark Side of Scepter Splash
If you paid attention to Specter during its beta testing, you might be aware of a
very weird build that used Endless Night (Scepter Pistol dual wield beam skill that granted quickness and 7-packets of Barrier to 3 allies, if you could pierce through the allies).
This rotation was initially theorycrafted by Left when Specter was first showed off. I did some early proof-of-concept on the build, then Left took it over and improved it to around 51,000 DPS.
That's a lot of damage!
Watch that video briefly, and notice how I swap between the enemy and my allies, applying one skill to the target then the Endless Night beam to my allies.
When Specter applies barrier to an ally, they receive a stack of Rotwallow Venom, which applies a short-duration stack of torment to a single enemy just like normal venoms.
Each cast of Endless Night back then was 21 applications of Rotwallow Venom, with more Torment duration than we have now.
ANet killed that build back during beta by making the beam target a single enemy, nerfing the quickness application, nerfing Rotwallow Venom duration, nerfing Specter's Torment damage modifier, nerfing Consume Shadows to require charging up.... The list goes on.
Why do I bring this up?
Scepter Autos on Allies
Currently the scepter auto chain applies 54 seconds of Torment (in the form of multiple stacks). If the scepter auto chain can instead apply barrier to 3 allies, then this balloons to 72 seconds without Strength of Shadows, or 108 seconds with Strength of Shadows.
Yes.
The auto-attack chain will be twice as strong when targeting allies, vs targeting the enemy.
Endless Night is not worth using against an enemy target, but it might be worth using on allies. This rotation won't have room for auto attacks, so I'm not pinning any hopes to this.
No, the optimal damage rotation will probably be Twilight combo, Siphon, and Shroud skills on the enemy, then filling time with Scepter skills on allies. We will probably spend less time in Shroud because those autos are just so cracked...
Second Opinion, moving away from Consume Shadows
Ever since beta all forms of Specter have run Consume Shadows—Alacrity, DPS, Heal. This is because Consume Shadows can apply barrier to allies, giving them Rotwallow venom. The other adept traits are purely defensive, so they're not used by the DPS and Alacrity builds...and Consume Shadows is an extremely potent healing tool. So potent, it's been nerfed repeatedly!
Charged time reduced from instant to 4 seconds, maximum shroud cut by more than 50%, conversion ratio reduced from 100 to 50%
Second Opinion will grant bonus Condition Damage, more with a Scepter. This should be, at minimum, +80/+80, which will beat the ~800 DPS provided by perfect Rotwallow Venom application from Consume Shadows.
Perfect?
If your allies are too injured and Consume Shadows only heals them overflowing into Barrier, you won't give them Rotwallow.
Traversing Dusk no longer gives Alacrity
This is just a heal trait now. That's just what it does.
Shadestep is the new Alacrity trait
Oh. Uh. I'll keep it quick.
- This reduces our gameplay from 2 separate rotations with their own quirks and different Shroud lengths, to 1—the DPS rotation.
How do you give alacrity? Just go into shroud and push buttons.
How do you do DPS? Just go into shroud and push buttons.
Alacrity Specter's Well cooldowns were inaccessible inside Shadow Shroud because we inherited a shroud, not just a kit like Druid's Celestial Avatar or Holosmith's Photon Forge.
Druid Spirits off cooldown while in CA? Don't care, you can push em.
Specter wells off cooldown while in Shadow Shroud? You might be gaining DPS from shroud skills, or healing from Consume Shadows, but you're losing Alacrity uptime. Is that tradeoff worth it?
Doesn't matter anymore. Just do the benchmark DPS rotation.
You're too slow? Then your alacrity uptime will suffer. You need to be on pace with going in and out of shroud, just like the DPS rotation. Difference is, if you're bad at this, it's going to frustrate other people.
This is not the hardest rotation in game to optimize and you of course have the option to make it easier with Ritualist gear (which you should do anyway if you plan to still run Consume Shadows, will be a two-fold personal DPS loss).
\2. Ever been kicked out of Shroud by incoming damage in a raid/strike/open world meta? No more Alacrity uptime for you. Better refill your Shadow Force quickly—and Larcenous Torment generates Shadow Force FAR more slowly than Traversing Dusk
Fun fact: Traversing Dusk's 1% Shadow Force per ally in your shadowstep scales indefinitely, not just up to 5 players. That gives you colossal Shadow Force generation in crowded metas and even raids.
Want to use your Siphon on ally? No you don't, that's valuable Shadow Force generation you need to maintain tempo for Alacrity.
Again, you can wear Ritualist gear to soften this loss.
Want to have the utility of Well of Bounty? Well, previously that utility was tied to your Alacrity uptime, your DPS uptime (lingering outside shroud for Well of Bounty was a loss), and your healing output (Traversing Dusk, and maintaining tempo in/out of Shadow Shroud for Consume Shadows).
Now you can take Well of Bounty and have it on demand, at a DPS loss.
Previously you could have just take advantage of the long Stability duration to cast this well early, or delay it slightly to cover the mechanic.
How much DPS will ANet allow this build to have?
We don't know. And now it's DPS is very closely tied to the DPS build because they're doing nearly the exact same thing.
This has never happened to Firebrand, trust me.
tl;dr It's dangerous to read all that up there! Skip to here!
Condition Daredevil
Unchanged by Impairing Daggers cooldown reduction
Power Daredevil
Buffed to ~38.6 if you do the old rotation.
Buffed to 40.2 if you do the new degenerate 1a 1b 2 1a 1b 2 rotation that interrupts our auto chain.
Still screwed by all the usual stuff.
Mag Bomb damage normalized. Cool. Still amazing utility on that skill.
Boon Thief
Dead. Deadeye killed it.
Power Dagger Deadeye
Much easier to play. Splashes some cute boons onto its subgroup, at random. Have to see if Shadow Flare is still worth using. Hopefully, right?
Power Rifle Deadeye
Silent Scope uses Shadow Flare, I hope that's still worth using.
No need to flank with Premeditation Rifle is nice. Swapping Impact to an Accuracy sigil (or not doing that, and losing crit chance) was ~1,200 DPS loss, so that's avoided. I don't mind losing flanking here that much because Flanking wasn't make-or-break adrenaline pumping like dagger. It was just a boring loss.
Quickness Deadeye
I hope you like pushing 5 and 1 a whole lot because that's almost all this is. Also pushing cantrips for F2 charges to provide quickness.
It will play okay, but pretttttttttty similar to utility-spam builds that people hate, with the added bonus of casting TWO skills for every application of quickness.
You can tune this to your liking BUT
IF YOU DON'T KNOW HOW MANY WAYS THIS GAME'S ENEMIES CAN APPLY REVEALED TO YOU THEN YOU'RE IN FOR A TREAT WHEN YOU PICK UP QUICKNESS DEADEYE NEXT PATCH :D
It won't really prevent you from applying quickness but it will tank your DPS and fracture your soul.
One of us. One of us!
This is getting no changes, by the way. It'd be a huge amount of effort from the studio's programmers for one elite spec, for one profession, largely in one game mode (instanced PvE), with a small player base.
Probably just not happening. Not a question of "want to", it's a question of resource management AND doing this right.
Remember stealth-tanking Old Lion's Court? Because they didn't apply Revealed, then they only applied Revealed once and Deadeye just Shadow Melded out of it?
DPS Specter
Buffed by Second Opinion, dubiously buffed by targeting allies with the auto chain.
You can still run Consume Shadows for team healing/barrier.
Alacrity Specter
I don't know. Presumably the shroud skills will allow us to provide at least 50% uptime with a non-degenerate rotation (one that doesn't have us spending all our time in shroud). Said degenerate rotation is naturally policed by the fact our shroud absorbs incoming damage.
Will it run Consume Shadows? Not for optimal damage anymore.
Alac Share Specter
Just change your grandmaster from Strength of Shadows to Shadestep and do the normal rotation. Should do at least 50% uptime, unless Alac specter is just nonviable and can't maintain Alacrity.
submitted by
TheDarkstarChimaera to
Guildwars2 [link] [comments]
2023.06.10 05:21 Lightness234 The Notch Problem
So as an older Minecraft player (1.6) i took a look at 1.20 update and played some of it before coming to a conclusion;
Minecraft has a Notch Problem.
Minecraft under the previous director Notch’s direction was treated as an incomplete game, where as soon after the director change the updates started to treat Minecraft as a finished product who just needs a few polish amd tweaks to become top Notch.
Current updates aim to expand upon established features more than adding or changing fundamentals, the mobs are mostly vanity and convenience, most content is “vertical” progression, even the new endgame gear, Netherite, is just an mmo tier endgame grinding rather than a progression of the player.
Minecraft’s building and crafting theme has shifted more towards adventure and exploration, slowly turning Minecraft from a Sandbox to a Theme Park, the rate of which i have personally came across objects of interest has been increased for about 100 times now!
Before, most of the world was mundane but there were cool stuff out there so you could set out for an adventure! Tame a horse if you were lucky to find one or ride a pig across multiple biomes to finally find a village or a sand temple to reap the rewards on a long journey (often leading to losing everything due to dying in the middle of the nowhere or losing your home), and these made for exciting storied to share with your friends!
Where as now i feel like everything is at an arm’s reach, like an amusement park, most of my conversations with friends is of you have seen X yet or not? Rather than talking about said X and our unique interactions with it, it’s simply a checklist to be crossed kind of like a ride at an amusement park.
I think as time goes on and generations move forward Minecraft will fade to obscurity little by little due to there being nothing to really talk about other than one time discussions or exchange of information.
But those are all my opinions, what do you think dear players?
submitted by
Lightness234 to
Minecraft [link] [comments]
2023.06.10 05:20 AutoModerator Iman Gadzhi - Copy Paste Agency (here)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/CourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
ImanGadzhiStation [link] [comments]
2023.06.10 05:14 AutoModerator Iman Gadzhi - Copy Paste Agency (courses)
If you are interested in Iman Gadzhi – Copy Paste Agency contact us at +44 759 388 2116 on Telegram/Whatsapp.
I have Iman Gadzhi – Copy Paste Agency.
Iman Gadzhi – Copy Paste agency is the latest course by Iman Gadzhi.
Copy Paste Agency is designed for established agency owners, who can use these lessons to scale their business.
In Iman Gadzhi – Copy Paste Agency, you will learn:
- How to continue to run a multiple-six-figure agency from home with a skeleton staff and minimal expenses
- How to command higher retainers… and retain those clients for longer
- How to automate, delegate, and optimize every area of your agency from lead generation and sales to service delivery and client communication
To get Iman Gadzhi – Copy Paste Agency contact us on:
Whatsapp/Telegram: +44 759 388 2116 (Telegram: multistorecourses) Reddit DM to u/CourseAccess Email: silverlakestore[@]yandex.com (remove the brackets) submitted by
AutoModerator to
QualityImanGadzhi [link] [comments]