Community Edition Client - Automation Anywhere

automation anywhere community edition client download

automation anywhere community edition client download - win

Windows Provisioning Packages + Powershell: Who wants an alternative to imaging computers or setting them up manually?

I hate images.
When I was first introduced to imaging as a young tech, I thought it was the best thing in the world. You take hundreds of computers that are fresh out of the box and you get them all to the same needed configuration en mass, with rare discrepancies. There are plenty of ways to deploy an image, with hard drives, thumb drives, boot to network, etc. A lot of thought and effort has gone into the imaging market, and I've used many of the products. Then I advanced enough in my career that I started being the guy making the images. Seems simple enough, but it turns out there's a lot of gotchas.

Whether I was deploying images or creating them, I started seeing things that just bugged me. This department wants a different image from that department. The image you just made doesn't have the drivers needed for the new chipset that just came out. That program has a severe security vulnerability and needs to be removed from every computer on the network (but it's on the image). What's that? The image is 6 months old and now spends hours installing updates before it can be deployed? The list goes on. It seems the answer to every issue was, create a new image FROM SCRATCH! I tried to mitigate the worst offenses by scripting updates and changes that needed to be done post imaging which resolved much of my frustration, and then I started scripting the image creation process. Then it hit me, if I'm scripting the image creation process and the updates to apply to a machine after, why do I need an image? Why not just script the entire computer setup process?
After years of developing and refinement, my machine set up process is this.

  1. New machine comes in and needs to be setup.
  2. I copy an appropriate config file to a prepare usb flash drive.
  3. I connect ethernet to the new computer and boot to the flash drive.
  4. I come back a couple hours later, do some basic quality checks, and hand the computer to the customer.
It makes my heart swell with pride when I see a computer install the latest version of Window 10, name itself, create accounts, install programs, configure settings, join a customers vpn if needed, join the domain, install our remote management tool, all that and more, then play a happy little tune at the end when it's done to alert me of it's victory. It's at the point where I've taken entry level techs and after giving them 5 minutes of instructions, they're able to prepare new machines for all of our clients. If a client get's a new machine at a remote site, all I need from them is a flash drive and a few minutes of their time, and they've initiated the prep process themselves. It's done using free reputable tools and self built powershell functions. If something needs to change, I take seconds to update a powershell file instead of taking hours to build a new image.
My question is this. Does anyone else see the value in this enough for me to attempt to document how to recreate the process outside of my environment? There's quite a few parts to make it all come together if starting from scratch, but if you're fed up with images or want something better then setting up machines from scratch, it might just be worth the effort.

################ Response

Well this is surprising. When I posted, I was 90% sure that I've been missing something all these years and I'd be torn apart. This has given me the feedback I was looking for that validates I might be on to something. A few of you are basically doing the same thing. A few of you are wondering why not use packaging from the manufacturer, or some other hands off approach. My main answer to that is I want to see the process in action, and I want to keep the process in-house. If something breaks due to a change, or is no longer applicable, I want to see it before the customer does. With this process, the Rapid Iterative Testing and Evaluation process is almost instant. We also keep machines in stock that our clients buy, we don't know always know were a machine is destine for when the order is placed. All of that being said, I've seen a few of you post a few things I need to learn from, and will be doing so soon. For now, I'll share what I have as I try to strip out my companies proprietary knowledge. I'll edit this comment with more. My process is just thorough (and complex) enough that a dedicated blog might be a better format, but I'll do my best.
Creating the basic documentation now, will update soon. Just know this it's time to brush up on you powershell skills.

Outline of the process in action

**I'll work on details steps this weekend.**Please be patient though. Work is busy. I'm also a husband, father to a baby, dog walker, handy man and college student even though I'm in my 30's. So many things I haven't figured out how to automate!

Infrastructure Setup, Step 1: Prepare your External Site Specific Code Repository

We use an ftp server that is publicly available, but you could use samba or other types as well.When I refer to a "Site", this just means a set of customizations. It could refer to a client, department, or anything that differentiates one setup from another.

Infrastructure Setup, Step 2: Prepare your Internal Site Code Workspace

This is where we build the code, review it, update it, etc. This is where the code can live free with sensitive information, so make sure it's secured. We keep ours on a SharePoint site synced to our computers, so we can work freely with it.

Infrastructure Setup, Step 3: Set up a Chocolatey Proxy/Repo

Please note, Chocolatey is AWESOME but they aren't set up to support hundreds of thousands of machines. Get to know it, they have awesome documentation. You can play around with it by installing it on your machine here. https://chocolatey.org/install#individual
Beyond that, if you start installing it on a bunch of machines, they'll block you. If you open a ticket about it, they'll send you a nice little email explaining what's up ( https://chocolatey.org/docs/community-packages-disclaimer#rate-limiting ) and how to set up a proxy (https://docs.chocolatey.org/en-us/features/host-packages).As for me, I took the Nexus repository route. I set it up on a linux VM. Everything is free and I love it.
Last but not least, when you do this, you'll want your own version of the chocolatey install script that set's it up from your server. Fortunately, since I learned the hard way how to do this, they've made it super simple. https://chocolatey.org/install#organization

Infrastructure Setup, Step 4: Prepare your Functions

Modularize your powershell functions! Automation needs maintanence, as the things we're automating change over time. How we install a program today might be different from how we install it tomorrow if the program installer changes. If you have 30+ sites and need to update the code to do something, you don't want to have to go and update all 30 site's code (TRUST ME). Instead, have them all import your functions. Then you update just one file, and they all benefit from it instantly.Some firewalls will block ps1 files and psm files, so I store everything needed as txt files and let powershell just use the content. Here is the boot strapper I use to to enable SSL and import the functions from an https github repo. I keep this on a http server as a text file and I have a tinyurl linking to it. I call it with:iwr -usebasicparsing | iex
Write-Host -NoNewLine "`n - Retrieving IT's Functions -"
$greenCheck = @{
Object = [Char]8730
ForegroundColor = 'Green'
NoNewLine = $true
}
$progressPreference = 'silentlyContinue'
[System.Net.ServicePointManager]::SecurityProtocol = [System.Net.ServicePointManager]::SecurityProtocol -bor 3072
$Destination = $Env:temp + "\ATGPS.psm1"
Set-ExecutionPolicy Bypass -Scope Process -Force
(Invoke-WebRequest -UseBasicParsing).Content | Out-File -FilePath $Destination
Import-Module $Destination -Global -Force
If (Get-Module -Name ATGPS -ErrorAction SilentlyContinue){
Write-Host u/greenCheck;Write-Host -NoNewLine " Functions successfully loaded ";Write-Host u/greenCheck;Write-Host "-`n - Get-ITFunctions will give a list of custom functions -`n"
} Else {
Write-Host "Functions were not successfully loaded. "
}
A list of functions will be available at the bottom.

Site Setup, Step 1: Prepare your first Site file structure

Navigate to $InternalSitesPath
If the site you are looking to create a package for doesn't exist, create a folder for it. Then create the following folder structure

Site Setup, Step 2: Prepare the Provisioning Package File

Download and install "Windows Configuration Designer" available on the Windows App Store https://www.microsoft.com/store/productId/9NBLGGH4TX22
Documentation: https://docs.microsoft.com/en-us/windows/configuration/provisioning-packages/provisioning-packages
Note: You'll see a lot of awesome options in here. Keep it as simple as possible as things can easily go wrong with this. We can set those options later and more reliably in powershell.
After creating a basic provisioning package and getting into the Advanced View, navigate on the left to
Runtime settings > ProvisioningCommands > PrimaryContext > Command.
Create these basic commands. Do them in order, as reordering them later can corrupt the package. These do not handle change well without corrupting, we we set up some basic commands to download powershell scripts and let those do the brunt of the work. To create a command, put your cursor in the "Name:" field, type in the command name, then click the "Add" button" in the bottom right. We can customize the commands after they're added.
These are the basic provisioning commands meant to make way for the powershell scripts. Make sure to customize each url and filepath according to the site.
**HINT: Copy everything below into a notepad program, and use CTRL+H to replace with your site's shortcode, then copy from there into Window's Config Designer. Also replace with the strong password created earlier.--Just realized images aren't allow in /MSP, so sad--
Commands to create (no spaces allowed here)
  • MakeDir
  • InstallDrivers
  • DownloadScripts
  • ExtractScripts
  • PowershellPass1
You'll notice that these commands are highlighted in red on the left. We need to give more information for each. Also note that
  • #0 Creates the folders to download to
    • [Name] MakeDir
    • [ComandLine] cmd /C "mkdir C:\IT\PPKG"
    • [ContinueInstall] True
    • [RestartRequired] False
  • #1 Install needed Ethernet, Chipset, and USB drivers if needed
    • [Name] InstallDrivers
    • [ComandLine] PowerShell.exe -NoProfile -ExecutionPolicy Bypass -Command "(Get-Volume).DriveLetter | ForEach-Object {If (Test-Path -Path ($_ + ':\InstallNetwork.ps1')) {Set-Location ($_ + ':\') ; & .\InstallNetwork.ps1}}"
    • [ContinueInstall] True
    • [RestartRequired] True
  • #2 Downloads the powershell scripts self extracting executable. Swap out with your site.
    • [Name] DownloadScripts
    • [CommandLine] PowerShell.exe -NoProfile -ExecutionPolicy Bypass -Command "[System.Net.ServicePointManager]::SecurityProtocol = [System.Net.ServicePointManager]::SecurityProtocol -bor 3072;(New-Object System.Net.WebClient).DownloadFile('$ExternalSitesPath//_Powershell.exe', 'C:\IT\PPKG\_Powershell.exe')"
    • [ContinueInstall] True
    • [RestartRequired] False
  • #3 Extracts the files from the self-extracting executable. Replace with the password generated earlier.
    • [Name] ExtractScripts
    • [CommandLine] C:\IT\PPKG\_Powershell.exe -p -oC:\IT\PPKG -y
    • [ContinueInstall] True
    • [RestartRequired] False
  • #4 Run the main pass1 powershell script. Swap out with your site.
    • [Name] PowershellPass1
    • [CommandLine] PowerShell.exe -ExecutionPolicy Bypass -File - C:\IT\PPKG\_Pass1.ps1
    • [ContinueInstall] True
    • [RestartRequired] True
That's it for the provisioning package configuration! Now we just need to export the file to a ppkg package file.
  • Save the package from File > Save. Click OK to the "Keep your info secure" dialogue.
  • Click "Export" > "Provisioning Package"
  • Change Owner to IT Admin and click Next\.
  • Don't encrypt or sign the package (Unless you're really ambitious). Click Next.
  • Click Next after reviewing the save location.
  • Click Build, and then Finish.

Please check the comments for more.

Never thought I'd create a "This field must be less than 40000 characters long" message.
Comment Links:
submitted by rcshoemaker to msp [link] [comments]

Tools & Info for Sysadmins - Mega List of Tips, Tools, Books, Blogs & More

Hi sysadmin,
It's been 6 months since we launched the full list on our website. We decided to celebrate with a mega list of the items we've featured since then, broken down by category. Enjoy!
To make sure I'm following the rules of rsysadmin, rather than link directly to our website for sign up for the weekly email I'm experimenting with reddit ads so:
You can sign up to get this in your inbox each week (with extras) by following this link.
** We're looking for tips from IT Pros, SysAdmins and MSPs in IT Pro Tuesday. This could be command line, shortcuts, process, security or whatever else makes you more effective at doing your job. Please leave a comment with your favorite tip(s), and we'll feature them over the following weeks.
Now on with the tools... As always, EveryCloud has no known affiliation with any of these unless we explicitly state otherwise.
Free Tools
Pageant is an SSH authentication agent that makes it easier to connect to Unix or Linux machines via PuTTY. Appreciated by plazman30 who says, "It took me WAY TOO LONG to discover this one. Pageant is a component of Putty. It sits in your system tray and will let you load SSH keys into it and pass them through to putty, WinSCP, and number of other apps that support it."
NCurses Disk Usage is a disk usage analyzer with an ncurses interface. It is fast, simple and easy and should run in any minimal POSIX-like environment with ncurses installed. Recommended by durgadas as "something I install on all my Linuxes... Makes finding out sizes semi-graphical, [with] super easy nav. Good for places without monitoring—lightweight and fast; works on nearly all flavors of Unix I've needed."
AutoHotkey is an open-source scripting language for Windows that helps you easily create small to complex scripts for all sorts of tasks (form fillers, auto-clicking, macros, etc.) Automate any desktop task with this small, fast tool that runs out-of-the-box. Recommended by plazman30 as a "pretty robust Windows scripting language. I use it mostly for on-the-fly pattern substitution. It's nice to be able to type 'bl1' and have it auto-replace it my bridge line phone number."
PingInfoView lets you easily ping multiple host names and IP addresses, with the results compiled in a single table. Automatically pings all hosts at the interval you specify, and displays the number of successful and failed pings, as well as average ping time. Results can be saved as a text/html/xml file or copied to the clipboard. Thanks go to sliced_BR3AD for this one.
DriveDroid simulates a USB thumbdrive or CD-drive via the mass storage capabilities in the Android/Linux kernel. Any ISO/IMG files on the phone can be exposed to a PC, as well as any other USB thumbdrive capabilities, including booting from the drive. Can be a quick and easy option for OS installations, rescues or occasions when it helps to have a portable OS handy. Suggested by codywarmbo, who likes it because of the ability to "Boot a PC using ISO files stored on your Android phone... Having a 256GB SD full of any OS you want is super handy!"
FreeIPA is an integrated identity and authentication solution for Linux/UNIX networked environments. It combines Linux (Fedora), 389 Directory Server, MIT Kerberos, NTP, DNS and Dogtag (Certificate System). Provides centralized authentication, authorization and account information by storing data about user, groups, hosts and other objects necessary to manage the security of a network. Thanks to skarsol, who recommends it as an open-source solution for cross-system, cross-platform, multi-user authentication.
PCmover Profile Migrator migrates applications, files and settings between any two user profiles on the same computer to help set up PCs with O365 Business. User profile apps, data and settings are quickly and easily transferred from the old local AD users to new Azure AD users. Can be good for migrating data from a user profile associated with a former domain to a new profile on a new domain. Suggested by a_pojke, who found it useful "to help migrate profiles to 0365/AAD; it's been a life saver with some recent onboards."
GNU Guix is a Linux package manager that is based on the Nix package manager, with Guile Scheme APIs. It is an advanced distribution of the GNU OS that specializes in providing exclusively free software. Supports transactional upgrades and roll-backs, unprivileged package management and more. When used as a standalone distribution, Guix supports declarative system configuration for transparent and reproducible operating systems. Comes with thousands of packages, which include applications, system tools, documentation, fonts and more. Recommended by necrophcodr.
Attack Surface Analyzer 2.0 is the latest version of the MS tool for taking a snapshot of your system state before and after installation of software. It displays changes to key elements of the system attack surface so you can view changes resulting from the introduction of the new code. This updated version is a rewrite of the classic 1.0 version from 2012, which covered older versions of Windows. It is available for download or as source code on Github. Credit for alerting us to this one goes to Kent Chen.
Process Hacker is an open-source process viewer that can help with debugging, malware detection, analyzing software and system monitoring. Features include: a clear overview of running processes and resource usage, detailed system information and graphs, viewing and editing services and more. Recommended by k3nnyfr, who likes it as a "ProcessExplorer alternative, good for debugging SRP and AppLocker issues."
Q-Dir (the Quad Explorer) provides quick, simple access to hard disks, network folders, USB-sticks, floppy disks and other storage devices. Includes both 32-bit and 64-bit versions, and the correct one is used automatically. This tool has found a fan in user_none, who raves, "Q-Dir is awesome! I searched high and low for a good, multi-pane Explorer replacement that didn't have a whole bunch of junk, and Q-Dir is it. Fantastic bit of software."
iftop is a command-line system monitor tool that lets you display bandwidth usage on an interface. It produces a frequently updated list of network connections, ordered according to bandwidth usage—which can help in identifying the cause of some network slowdowns. Appreciated by zorinlynx, who likes that it "[l]ets you watch a network interface and see the largest flows. Good way to find out what's using up all your bandwidth."
Delprof2 is a command-line-based application for deleting user profiles in a local or remote Windows computer according to the criteria you set. Designed to be easy to use with even very basic command-line skills. This one is thanks to Evelen1, who says, "I use this when computers have problems due to profiles taking up all the hard drive space."
MSYS2 is a Windows software distribution and building platform. This independent rewrite of MSYS, based on modern Cygwin (POSIX compatibility layer) and MinGW-w64, aims for better interoperability with native Windows software. It includes a bash shell, Autotools, revision control systems and more for building native Windows applications using MinGW-w64 toolchains. The package management system provides easy installation. Thanks for this one go to Anonymouspock, who says, "It's a mingw environment with the Arch Linux pacman package manager. I use it for ssh'ing into things, which it does very well since it has a proper VT220 compatible terminal with an excellent developer."
FastCopy is the fastest copy/backup software for Windows. Supports UNICODE and over MAX_PATH (260 characters) file pathnames. Uses multi-threads to bring out the best speed of devices and doesn't hog resources, because MFC is not used. Recommended by DoTheEvolution as the "fastest, comfiest copy I ever used. [I]t behaves just like I want, won't shit itself on trying to read damaged hdd, long paths are no problem, logs stuff, can shutdown after done, got it integrated into portable totalcommander."
Baby Web Server is an alternative for Microsoft's IIS. This simple web server offers support for ASP, with extremely simple setup. The server is multi threaded, features a real-time server log and allows you to configure a directory for webpages and default HTML page. Offers support for GET, POST and HEAD methods (form processing); sends directory listing if default HTML is not found in directory; native ASP, cookie and SSI support; and statistics on total connections, successful and failed requests and more. Limited to 5 simultaneous connections. FatherPrax tells us it's "[g]reat for when you're having to update esoteric firmware at client sites."
Bping is a Windows ping alternative that beeps whenever a reply comes in. Can allow you to keep track of your pings without having to watch the monitor. According to the recommendation from bcahill, "you can set it to beep on ping reply or on ping failure (default). I love it because if I'm wanting to monitor when a server goes up or down, I can leave it running in the background and I'll know the instant the status changes."
LDAPExplorerTool is a multi-platform graphical LDAP browser and tool for browsing, modifying and managing LDAP servers. Tested for Windows and Linux (Debian, Red Hat, Mandriva). Features SSL/TLS & full UNICODE support, the ability to create/edit/remove LDAP objects and multivalue support (including edition). Endorsed by TotallyNotIT... "Holy hell, that thing is useful."
MxToolbox is a tool that lists the MX records for a domain in priority order. Changes to MX Records show up instantly because the MX lookup is done directly against the domain's authoritative name server. Diagnostics connects to the mail server, verifies reverse DNS records, performs a simple Open Relay check and measures response time performance. Also lets you check each MX record (IP Address) against 105 blacklists. Razorray21 tells us it's an "excellent site for troubleshooting public DNS issues."
Proxmox Virtual Environment is a Debian-based Linux distribution with a modified Ubuntu LTS kernel that allows deployment and management of virtual machines and containers. Suggested by -quakeguy-, who says, "Proxmox is totally killer, particularly if you don't want to spend a ton of money and like ZFS."
Multi Commander is a multi-tabbed file manager that is an alternative to Windows Explorer. It has all the standard features of a file manager plus more-advanced features, like auto-unpacking; auto-sorting; editing the Windows Registry and accessing FTP; searching for and viewing files and pictures. Includes built-in scripting support. Reverent tells us "What I love about Multicommander is that it basically acts as a launcher for all my tools. Documents automatically open up in my preferred editor (vscode), compressed files automatically open up in 7-zip, I have a ton of custom shortcuts bound to hotkeys, and it has a bunch of built-in tools. I can even do cool things like open up consolez in the focused directory and choose to open CMD, Powershell, or Powershell 6 (portable) and whether it runs as admin or not. Oh yeah, and it's all portable. It and all the tool dependencies run off the USB."
Apache Guacamole is a remote desktop gateway that supports standard protocols like VNC, RDP and SSH. The client is an HTML5 web app that requires no plugins or client software. Once installed on a server, desktops are accessible from anywhere via web browser. Both the Guacamole server and a desktop OS can be hosted in the cloud, so desktops can be virtual. Built on its own stack of core APIs, Guacamole can be tightly integrated into other applications. "Fir3start3r likes it because it "will allow you to RDP/VNC/TELNET/SSH to any device that it can reach via a web browser....you can set up folders/subfolders for groups of devices to keep things organized - love it!!"
ShowKeyPlus is a simple Windows product key finder and validation checker for Windows 7, 8 and 10. Displays the key and its associated edition of Windows. Thanks to k3nnyfr for the recommendation.
Netdisco is a web-based network management tool that collects IP and MAC address data in a PostgreSQL database using SNMP, CLI or device APIs. It is easy to install and works on any Linux or Unix system (docker images also available). Includes a lightweight web server interface, a backend daemon to gather network data and a command-line interface for troubleshooting. Lets you turn off a switch port or change the VLAN or PoE status of a port and inventory your network by model, vendor, and software. Suggested by TheDraimen, who loves "being able to punch in a MAC and find what port it is plugged into or run an inventory on a range of IPs to find unused in static range..."
NetBox is an open-source web application that helps manage and document networks. Addresses IP address management (IPAM); organizing equipment racks by group and site; tracking types of devices and where they are installed; network, console, and power connections among devices; virtual machines and clusters; long-haul communications circuits and providers; and encrypted storage of sensitive credentials. Thanks to ollybee for the suggestion.
Elasticsearch Security. The core security features of the Elastic Stack are now available for free, including encrypting network traffic, creating and managing users, defining roles that protect index and cluster level access, and fully secure Kibana with Spaces (see the linked blog post for more info). Thanks to almathden for bringing this great news to our attention.
BornToBeRoot NETworkManager is a tool for managing and troubleshooting networks. Features include a dashboard, network interface, IP scanner, port scanner, ping, traceroute, DNS lookup, remote desktop, PowerShell (requires Windows 10), PuTTY (requires PuTTY), TigerVNC (requires TigerVNC), SNMP - Get, Walk, Set (v1, v2c, v3), wake on LAN, HTTP headers, whois, subnet calculator, OUI/port lookup, connections, listeners and ARP table. Suggested by TheZNerd, who finds it "nice [for] when I calculate subnet up ranges for building SCCM implementations for my clients."
Awesome Selfhosted is a list of free software network services and web applications that can be self hosted—instead of renting from SaaS providers. Example list categories include: Analytics, Archiving and Digital Preservation, Automation, Blogging Platforms ...and that's just the tip of the iceberg!
Rclone is a command-line program for syncing files and directories to/from many platforms. Features include MD5/SHA1 hash checking for file integrity; file timestamp preservation; partial-sync support on a whole-file basis; ability to copy only new/changed files; one-way sync; check mode; network sync; backend encryption, cache and union; and optional FUSE mount. Recommended by wombat-twist because it supports "many cloud/traditional storage platforms."
Freeware Utilities for Windows can be found in this rather long list. Tools are organized by category: password recovery, network monitoring, web browser, video/audio related, internet related, desktop, Outlook/Office, programmer, disk, system and other. Appreciation to Adolfrian for the recommendation.
Checkmk is a comprehensive solution for monitoring of applications, servers, and networks that leverages more than 1700 integrated plug-ins. Features include hardware & software inventory; an event console; analysis of SysLog, SNMP traps and log files; business intelligence; and a simple, graphical visualization of time-series metrics data. Comes in both a 100% open-source edition and an Enterprise Edition with a high-performance core and additional features and support. Kindly suggested by Kryp2nitE.
restic is a backup program focused on simplicity—so it's more likely those planned backups actually happen. Easy to both configure and use, fast and verifiable. Uses cryptography to guarantee confidentiality and integrity of the data. Assumes backup data is stored in an untrusted environment, so it encrypts your data with AES-256 in counter mode and authenticates using Poly1305-AES. Additional snapshots only take the storage of the actual increment and duplicate data is de-duplicated before it is written to the storage backend to save space. Recommended by shiitakeshitblaster who says, "I'm loving it! Wonderful cli interface and easy to configure and script."
DPC Latency Checker is a Windows tool for analyzing a computer system's ability to correctly handle real-time data streams. It can help identify the cause of drop-outs—the interruptions in real-time audio and video streams. Supports Windows 7, Windows 7 x64, Windows Vista, Windows Vista x64, Windows Server 2003, Windows Server 2003 x64, Windows XP, Windows XP x64, Windows 2000. DoTheEvolution recommends it as a preferable way to check system latency, because otherwise you usually "just start to disconnect shit while checking it."
TLDR (too long; didn’t read) pages is a community-driven repository for simplifying man pages with practical examples. This growing collection includes examples for all the most-common commands in UNIX, Linux, macOS, SunOS and Windows. Our appreciation goes to thblckjkr for the suggestion.
Network Analyzer Pro helps diagnose problems in your wifi network setup or internet connection and detects issues on remote servers. Its high-performance wifi device discovery tool provides all LAN device addresses, manufacturers and names along with the BonjouDLNA services they provide. Shows neighboring wi-fi networks and signal strength, encryption and router manufacturer that can help with finding the best channel for a wireless router. Everything works with IPv4 and IPv6. Caleo recommends it because it "does everything Advanced IP scanner does and more—including detailed network information, speed testing, upnp/bonjour service scans, port scans, whois, dns record lookup, tracert, etc."
SmokePing is an open-source tool for monitoring network latency. Features best-of-breed latency visualization, an interactive graph explorer, a wide range of latency measurement plugins, a masteslave system for distributed measurement, a highly configurable alerting system and live latency charts. Kindly suggested by freealans.
Prometheus is an open source tool for event monitoring and alerting. It features a multi-dimensional data model with time series data identified by metric name and key/value pairs, a flexible query language, no reliance on distributed storage (single server nodes are autonomous), time series collection via a pull model over HTTP, pushing time series supported via an intermediary gateway, targets discovered via service discovery or static configuration, and multiple modes of graphing and dashboarding support. Recommended by therealskoopy as a "more advanced open source monitoring system" than Zabbix.
MediCat is bootable troubleshooting environment that continues where Hiren's Boot CD/DVD left off. It provides a simplified menu system full of useful PC tools that is easy to navigate. It comes in four versions:
Recommended by reloadz400, who adds that it has a "large footprint (18GB), but who doesn't have 32GB and larger USB sticks laying everywhere?"
PRTG monitors all the systems, devices, traffic and applications in your IT infrastructure—traffic, packets, applications, bandwidth, cloud services, databases, virtual environments, uptime, ports, IPs, hardware, security, web services, disk usage, physical environments and IoT devices. Supports SNMP (all versions), Flow technologies (NetFlow, jFlow, sFlow), SSH, WMI, Ping, and SQL. Powerful API (Python, EXE, DLL, PowerShell, VB, Batch Scripting, REST) to integrate everything else. While the unlimited version is free for 30 days, stillchangingtapes tells us it remains "free for up to 100 sensors."
NetworkMiner is a popular open-source network forensic analysis tool with an intuitive user interface. It can be used as a passive network sniffepacket capturing tool for detecting operating systems, sessions, hostnames, open ports and the like without putting traffic on the network. It can also parse PCAP files for off-line analysis and to regenerate/reassemble transmitted files and certificates from PCAP files. Credit for this one goes to Quazmoz.
PingCastle is a Windows tool for auditing the risk level of your AD infrastructure and identifying vulnerable practices. The free version provides the following reports: Health Check, Map, Overview and Management. Recommended by L3T, who cheerfully adds, "Be prepared for the best free tool ever."
Jenkins is an open-source automation server, with hundreds of plugins to support project building, deployment and automation. This extensible automation server can be used as a simple CI server or turned into a continuous delivery hub. Can distribute work across multiple machines, with easy setup and configuration via web interface. Integrates with virtually any tool in the continuous integration/delivery toolchain. It is self-contained, Java-based and ready to run out-of-the-box. Includes packages for Windows, Mac OS X and other Unix-like operating systems. A shout out to wtfpwndd for the recommendation.
iPerf3 provides active measurements of the maximum achievable bandwidth on IP networks. Reports the bandwidth, loss and other parameters. Lets you tune various parameters related to timing, buffers and protocols (TCP, UDP, SCTP with IPv4 and IPv6). Be aware this newer implementation shares no code with the original iPerf and is not backwards compatible. Credit for this one goes to Moubai.
LatencyMon analyzes the possible causes of buffer underruns by measuring kernel timer latencies and reporting DPC/ISR excecution times and hard pagefaults. It provides a comprehensible report and identifies the kernel modules and processes behind audio latencies that result in drop outs. It also provides the functionality of an ISR monitor, DPC monitor and a hard pagefault monitor. Requires Windows Vista or later. Appreciation to aberugg who tells us, "LatencyMon will check all sorts of info down to what driveprocess might be the culprit. It will help you narrow it down even more. This tool helped me realize that Windows 10's kernel is terrible in terms of device latency when compared to previous versions."
GNU parallel is a shell tool for executing jobs—like a single command or a small script that has to be run for each of the lines in the input—in parallel on one or more computers. Typical input is a list of files, hosts, users, URLs or tables. A job can also be a command that reads from a pipe, which can then be split and piped into commands in parallel. Velenux finds it "handy to split jobs when you have many cores to use."
Kanboard is open-source project management software that features a simple, intuitive user interface, a clear overview of your tasks—with search and filtering, drag and drop, automatic actions and subtasks, attachments and comments. Thanks go to sgcdialler for this one!
Monosnap is a cross-platform screenshot utility with some nice features. Suggested by durgadas, who likes it because it "has a built-in editor for arrows and blurring and text and can save to custom locations—like Dropbox or multiple cloud services, including it's own service, Amazon S3, FTP, SFTP, Box, Dropbox, Google Drive, Yandex, Evernote... Video and gaming screen capture also, shrink Retina screenshot preference, etc, etc... Every feature I've ever wanted in a screenshot utility is there."
Advanced Port Scanner is a network scanner with a user-friendly interface and some nice features. Helps you quickly find open ports on network computers and retrieve versions of programs running on those ports. Recommended by DarkAlman, who sees it as the "same as [Advanced IP Scanner], but for active ports."
Spiceworks Network Monitor and Helpdesk allows you to launch a fully-loaded help desk in minutes. This all-in-one solution includes inventory, network monitor and helpdesk.
Microsoft Safety Scanner helps you find and remove malware from computers running Windows 10, Windows 10 Tech Preview, Windows 8.1, Windows 8, Windows 7, Windows Server 2016, Windows Server Tech Preview, Windows Server 2012 R2, Windows Server 2012, Windows Server 2008 R2, or Windows Server 2008. Only scans when manually triggered, and it is recommended you download a new version prior to each scan to make sure it is updated for the latest threats.
CLCL is a free, clipboard caching utility that supports all clipboard formats. Features a customizable menu. According to JediMasterSeamus, this clipboard manager "saves so much time. And you can save templates for quick responses or frequently typed stuff."
Desktop Info displays system information on your desktop, like wallpaper, but stays in memory and updates in real time. Can be great for walk-by monitoring. Recommended by w1llynilly, who says, "It has 2 pages by default for metrics about the OS and the network/hardware. It is very lightweight and was recommended to me when I was looking for BGInfo alternatives."
True Ping is exactly the same as the standard ping program of Windows 9x, NT and 2000—except that it does a better job calculating the timing. It uses a random buffer (that changes at every ping) to improve performance. Thanks to bcahill for this one, who says, it "... can send pings very fast (hundreds per second). This is very helpful when trying to diagnose packet loss. It very quickly shows if packet loss is occurring, so I can make changes and quickly see the effect."
Parted Magic is a hard disk management solution that includes tools for disk partitioning and cloning, data rescue, disk erasing and benchmarking with Bonnie++, IOzone, Hard Info, System Stability Tester, mprime and stress. This standalone Linux operating system runs from a CD or USB drive, so nothing need be installed on the target machine. Recommended by Aggietallboy.
mbuffer is a tool for buffering data streams that offers direct support for TCP-based network targets (IPv4 and IPv6), the ability to send to multiple targets in parallel and support for multiple volumes. It features I/O rate limitation, high-/low-watermark-based restart criteria, configurable buffer size and on-the-fly MD5 hash calculation in an efficient, multi-threaded implementation. Can help extend drive motor life by avoiding buffer underruns when writing to fast tape drives or libraries (those drives tend to stop and rewind in such cases). Thanks to zorinlynx, who adds, "If you move large streams from place to place, for example with "tar" or "zfs send" or use tape, mbuffer is awesome. You can send a stream over the network with a large memory buffer at each end so that momentary stalls on either end of the transfer don't reduce performance. This especially helps out when writing to tapes, as the tape drive can change directions without stopping the flow of data."
TeraCopy is a tool for copying files faster and more securely while preserving data integrity. Gives you the ability to pause/resume file transfers, verify files after copy, preserve date timestamps, copy locked files, run a shell script on completion, generate and verify checksum files and delete files securely. Integrates with Windows Explorer. Suggested by DarkAlman to "replace the integrated Windows file copy utility. Much more stable, quicker transfers, crash tolerant and adds features like 'No-to-all' and 'yes-to-all' for comparing folders."
MultiDesk & MultiDeskEnforcer are a combination of a tabbed remote desktop client (terminal services client) and a service that limits connections to only those that provide the correct shared secret (keeps hackers from accessing your server via RDP even if they have the correct password). Suggested by plazman30 as being "[s]imilar to Microsoft's RDP Manager, [b]ut doesn't need to be installed and has tabs across the top, instead of the side."
The PsTools suite includes command-line utilities for listing the processes running on local or remote computers, running processes remotely, rebooting computers, dumping event logs, and more. FYI: Some anti-virus scanners report that one or more of the tools are infected with a "remote admin" virus. None of the PsTools contain viruses, but they have been used by viruses, which is why they trigger virus notifications.
Mosh is a remote terminal application that allows roaming, supports intermittent connectivity, and provides intelligent local echo and line editing of user keystrokes. It can be a more robust and responsive replacement for interactive SSH terminals. Available for GNU/Linux, BSD, macOS, Solaris, Android, Chrome and iOS. Suggested by kshade_hyaena, who likes it "for sshing while your connection is awful."
HTTPie is a command-line HTTP client designed for easy debugging and interaction with HTTP servers, RESTful APIs and web services. Offers an intuitive interface, JSON support, syntax highlighting, wget-like downloads, plugins, and more—Linux, macOS, and Windows support. Suggested by phils_lab as "like curl, but for humans."
LibreNMS is a full-featured network monitoring system. Supports a range of operating systems including Linux, FreeBSD, as well as network devices including Cisco, Juniper, Brocade, Foundry, HP and others. Provides automatic discovery of your entire network using CDP, FDP, LLDP, OSPF, BGP, SNMP and ARP; a flexible alerting system; a full API to manage, graph and retrieve data from your install and more. TheDraimen recommends it "if you cant afford a monitoring suite."
Tftpd64 is an open-source, IPv6-ready application that includes DHCP, TFTP, DNS, SNTP and Syslog servers and a TFTP client. Both client and server are fully compatible with TFTP option support (tsize, blocksize, timeout) to allow maximum performance when transferring data. Features include directory facility, security tuning and interface filtering. The included DHCP server offers unlimited IP address assignment. Suggested by Arkiteck: "Instead of Solarwinds TFTP Server, give Tftpd64 a try (it's FOSS)."
Tree Style Tab is a Firefox add-on that allows you to open tabs in a tree-style hierarchy. New tabs open automatically as "children" of the tab from which they originated. Child branches can be collapsed to reduce the number of visible tabs. Recommended by Erasus, who says, "being a tab hoarder, having tabs on the left side of my screen is amazing + can group tabs."
AutoIt v3 is a BASIC-like scripting language for automating the Windows GUI and general scripting. It automates tasks through a combination of simulated keystrokes, mouse movement and window/control manipulation. Appreciated by gj80, who says, "I've built up 4700 lines of code with various functions revolving around global hotkeys to automate countless things for me, including a lot of custom GUI stuff. It dramatically improves my quality of life in IT."
MTPuTTY (Multi-Tabbed PuTTY) is a small utility that lets you wrap an unlimited number of PuTTY applications in a single, tabbed interface. Lets you continue using your favorite SSH client—but without the trouble of having separate windows open for each instance. XeroPoints recommends it "if you have a lot of ssh sessions."
ElastiFlow is a network flow data collection and visualization tool that uses the Elastic Stack (Elasticsearch, Logstash and Kibana). Offers support for Netflow v5/v9, sFlow and IPFIX flow types (1.x versions support only Netflow v5/v9). Kindly recommended by slacker87.
SpaceSniffer is a portable tool for understanding how folders and files are structured on your disks. It uses a Treemap visualization layout to show where large folders and files are stored. It doesn't display everything at once, so data can be easier to interpret, and you can drill down and perform folder actions. Reveals things normally hidden by the OS and won't lock up when scanning a network share.
Graylog provides an open-source Linux tool for log management. Seamlessly collects, enhances, stores, and analyzes log data in a central dashboard. Features multi-threaded search and built-in fault tolerance that ensures distributed, load-balanced operation. Enterprise version is free for under 5GB per day.
Ultimate Boot CD boots from any Intel-compatible machine, regardless of whether any OS is installed on the machine. Allows you to run floppy-based diagnostic tools on machines without floppy drives by using a CDROM or USB memory stick. Saves time and enables you to consolidate many tools in one location. Thanks to stick-down for the suggestion.
MFCMAPI is designed for expert users and developers to access MAPI stores, which is helpful for investigation of Exchange and Outlook issues and providing developers with a sample for MAPI development. Appreciated by icemerc because it can "display all the folders and the subfolders that are in any message store. It can also display any address book that is loaded in a profile."
USBDeview lists all USB devices currently or previously connected to a computer. Displays details for each device—including name/description, type, serial number (for mass storage devices), date/time it was added, VendorID, ProductID, and more. Allows you to disable/enable USB devices, uninstall those that were previously used and disconnect the devices currently connected. Works on a remote computer when logged in as an admin. Thanks to DoTheEvolution for the suggestion.
WSCC - Windows System Control Center will install, update, execute and organize utilities from suites such as Microsoft Sysinternals and Nirsoft Utilities. Get all the tools you want in one convenient download!
Launchy is a cross-platform utility that indexes the programs in your start menu so you can launch documents, project files, folders and bookmarks with just a few keystrokes. Suggested by Patrick Langendoen, who tells us, "Launchy saves me clicks in the Win10 start menu. Once you get used to it, you begin wondering why this is not included by default."
Terminals is a secure, multi-tab terminal services/remote desktop client that's a complete replacement for the mstsc.exe (Terminal Services) client. Uses Terminal Services ActiveX Client (mstscax.dll). Recommended by vermyx, who likes it because "the saved connections can use saved credential profiles, so you only have to have your credentials in one place."
Captura is a flexible tool for capturing your screen, audio, cursor, mouse clicks and keystrokes. Features include mixing audio recorded from microphone and speaker output, command-line interface, and configurable hotkeys. Thanks to jantari for the recommedation.
(continued in part 2)
submitted by crispyducks to sysadmin [link] [comments]

A thousand words wasn't enough? Here's five thousand.

List acquired here.
a aa aaa aaron ab abandoned abc aberdeen abilities ability able aboriginal abortion about above abraham abroad abs absence absent absolute absolutely absorption abstract abstracts abu abuse ac academic academics academy acc accent accept acceptable acceptance accepted accepting accepts access accessed accessibility accessible accessing accessories accessory accident accidents accommodate accommodation accommodations accompanied accompanying accomplish accomplished accordance according accordingly account accountability accounting accounts accreditation accredited accuracy accurate accurately accused acdbentity ace acer achieve achieved achievement achievements achieving acid acids acknowledge acknowledged acm acne acoustic acquire acquired acquisition acquisitions acre acres acrobat across acrylic act acting action actions activated activation active actively activists activities activity actor actors actress acts actual actually acute ad ada adam adams adaptation adapted adapter adapters adaptive adaptor add added addiction adding addition additional additionally additions address addressed addresses addressing adds adelaide adequate adidas adipex adjacent adjust adjustable adjusted adjustment adjustments admin administered administration administrative administrator administrators admission admissions admit admitted adobe adolescent adopt adopted adoption adrian ads adsl adult adults advance advanced advancement advances advantage advantages adventure adventures adverse advert advertise advertisement advertisements advertiser advertisers advertising advice advise advised advisor advisors advisory advocacy advocate adware ae aerial aerospace af affair affairs affect affected affecting affects affiliate affiliated affiliates affiliation afford affordable afghanistan afraid africa african after afternoon afterwards ag again against age aged agencies agency agenda agent agents ages aggregate aggressive aging ago agree agreed agreement agreements agrees agricultural agriculture ah ahead ai aid aids aim aimed aims air aircraft airfare airline airlines airplane airport airports aj ak aka al ala alabama alan alarm alaska albania albany albert alberta album albums albuquerque alcohol alert alerts alex alexander alexandria alfred algebra algeria algorithm algorithms ali alias alice alien align alignment alike alive all allah allan alleged allen allergy alliance allied allocated allocation allow allowance allowed allowing allows alloy almost alone along alot alpha alphabetical alpine already also alt alter altered alternate alternative alternatively alternatives although alto aluminium aluminum alumni always am amanda amateur amazing amazon ambassador amber ambien ambient amd amend amended amendment amendments amenities america american americans americas amino among amongst amount amounts amp ampland amplifier amsterdam amy an ana anaheim anal analog analyses analysis analyst analysts analytical analyze analyzed anatomy anchor ancient and andale anderson andorra andrea andreas andrew andrews andy angel angela angeles angels anger angle angola angry animal animals animated animation anime ann anna anne annex annie anniversary annotated annotation announce announced announcement announcements announces annoying annual annually anonymous another answer answered answering answers ant antarctica antenna anthony anthropology anti antibodies antibody anticipated antigua antique antiques antivirus antonio anxiety any anybody anymore anyone anything anytime anyway anywhere aol ap apache apart apartment apartments api apnic apollo app apparatus apparel apparent apparently appeal appeals appear appearance appeared appearing appears appendix apple appliance appliances applicable applicant applicants application applications applied applies apply applying appointed appointment appointments appraisal appreciate appreciated appreciation approach approaches appropriate appropriations approval approve approved approx approximate approximately apps apr april apt aqua aquarium aquatic ar arab arabia arabic arbitrary arbitration arbor arc arcade arch architect architects architectural architecture archive archived archives arctic are area areas arena arg argentina argue argued argument arguments arise arising arizona arkansas arlington arm armed armenia armor arms armstrong army arnold around arrange arranged arrangement arrangements array arrest arrested arrival arrivals arrive arrived arrives arrow art arthritis arthur article articles artificial artist artistic artists arts artwork aruba as asbestos ascii ash ashley asia asian aside asin ask asked asking asks asn asp aspect aspects ass assault assembled assembly assess assessed assessing assessment assessments asset assets assign assigned assignment assignments assist assistance assistant assisted assists associate associated associates association associations assume assumed assumes assuming assumption assumptions assurance assure assured asthma astrology astronomy asus asylum at ata ate athens athletes athletic athletics ati atlanta atlantic atlas atm atmosphere atmospheric atom atomic attach attached attachment attachments attack attacked attacks attempt attempted attempting attempts attend attendance attended attending attention attitude attitudes attorney attorneys attract attraction attractions attractive attribute attributes au auburn auckland auction auctions aud audi audience audio audit auditor aug august aurora aus austin australia australian austria authentic authentication author authorities authority authorization authorized authors auto automated automatic automatically automation automobile automobiles automotive autos autumn av availability available avatar ave avenue average avg avi aviation avoid avoiding avon aw award awarded awards aware awareness away awesome awful axis aye az azerbaijan b ba babe babes babies baby bachelor back backed background backgrounds backing backup bacon bacteria bacterial bad badge badly bag baghdad bags bahamas bahrain bailey baker baking balance balanced bald bali ball ballet balloon ballot balls baltimore ban banana band bands bandwidth bang bangbus bangkok bangladesh bank banking bankruptcy banks banned banner banners baptist bar barbados barbara barbie barcelona bare barely bargain bargains barn barnes barrel barrier barriers barry bars base baseball based baseline basement basename bases basic basically basics basin basis basket basketball baskets bass bat batch bath bathroom bathrooms baths batman batteries battery battle battlefield bay bb bbc bbs bbw bc bd bdsm be beach beaches beads beam bean beans bear bearing bears beast beastality beastiality beat beatles beats beautiful beautifully beauty beaver became because become becomes becoming bed bedding bedford bedroom bedrooms beds bee beef been beer before began begin beginner beginners beginning begins begun behalf behavior behavioral behaviour behind beijing being beings belarus belfast belgium belief beliefs believe believed believes belize belkin bell belle belly belong belongs below belt belts ben bench benchmark bend beneath beneficial benefit benefits benjamin bennett bent benz berkeley berlin bermuda bernard berry beside besides best bestiality bestsellers bet beta beth better betting betty between beverage beverages beverly beyond bg bhutan bi bias bible biblical bibliographic bibliography bicycle bid bidder bidding bids big bigger biggest bike bikes bikini bill billing billion bills billy bin binary bind binding bingo bio biodiversity biographies biography biol biological biology bios biotechnology bird birds birmingham birth birthday bishop bit bitch bite bits biz bizarre bizrate bk bl black blackberry blackjack blacks blade blades blah blair blake blame blank blanket blast bleeding blend bless blessed blind blink block blocked blocking blocks blog blogger bloggers blogging blogs blond blonde blood bloody bloom bloomberg blow blowing blowjob blowjobs blue blues bluetooth blvd bm bmw bo board boards boat boating boats bob bobby boc bodies body bold bolivia bolt bomb bon bond bondage bonds bone bones bonus boob boobs book booking bookings bookmark bookmarks books bookstore bool boolean boom boost boot booth boots booty border borders bored boring born borough bosnia boss boston both bother botswana bottle bottles bottom bought boulder boulevard bound boundaries boundary bouquet boutique bow bowl bowling box boxed boxes boxing boy boys bp br bra bracelet bracelets bracket brad bradford bradley brain brake brakes branch branches brand brandon brands bras brass brave brazil brazilian breach bread break breakdown breakfast breaking breaks breast breasts breath breathing breed breeding breeds brian brick bridal bride bridge bridges brief briefing briefly briefs bright brighton brilliant bring bringing brings brisbane bristol britain britannica british britney broad broadband broadcast broadcasting broader broadway brochure brochures broke broken broker brokers bronze brook brooklyn brooks brother brothers brought brown browse browser browsers browsing bruce brunei brunette brunswick brush brussels brutal bryan bryant bs bt bubble buck bucks budapest buddy budget budgets buf buffalo buffer bufing bug bugs build builder builders building buildings builds built bukkake bulgaria bulgarian bulk bull bullet bulletin bumper bunch bundle bunny burden bureau buried burke burlington burn burner burning burns burst burton bus buses bush business businesses busty busy but butler butt butter butterfly button buttons butts buy buyer buyers buying buys buzz bw by bye byte bytes c ca cab cabin cabinet cabinets cable cables cache cached cad cadillac cafe cage cake cakes cal calcium calculate calculated calculation calculations calculator calculators calendar calendars calgary calibration california call called calling calls calm calvin cam cambodia cambridge camcorder camcorders came camel camera cameras cameron cameroon camp campaign campaigns campbell camping camps campus cams can canada canadian canal canberra cancel cancellation cancelled cancer candidate candidates candle candles candy cannon canon cant canvas canyon cap capabilities capability capable capacity cape capital capitol caps captain capture captured car carb carbon card cardiac cardiff cardiovascular cards care career careers careful carefully carey cargo caribbean caring carl carlo carlos carmen carnival carol carolina caroline carpet carried carrier carriers carries carroll carry carrying cars cart carter cartoon cartoons cartridge cartridges cas casa case cases casey cash cashiers casino casinos casio cassette cast casting castle casual cat catalog catalogs catalogue catalyst catch categories category catering cathedral catherine catholic cats cattle caught cause caused causes causing caution cave cayman cb cbs cc ccd cd cdna cds cdt ce cedar ceiling celebrate celebration celebrities celebrity celebs cell cells cellular celtic cement cemetery census cent center centered centers central centre centres cents centuries century ceo ceramic ceremony certain certainly certificate certificates certification certified cet cf cfr cg cgi ch chad chain chains chair chairman chairs challenge challenged challenges challenging chamber chambers champagne champion champions championship championships chan chance chancellor chances change changed changelog changes changing channel channels chaos chapel chapter chapters char character characteristic characteristics characterization characterized characters charge charged charger chargers charges charging charitable charity charles charleston charlie charlotte charm charming charms chart charter charts chase chassis chat cheap cheaper cheapest cheat cheats check checked checking checklist checkout checks cheers cheese chef chelsea chem chemical chemicals chemistry chen cheque cherry chess chest chester chevrolet chevy chi chicago chick chicken chicks chief child childhood children childrens chile china chinese chip chips cho chocolate choice choices choir cholesterol choose choosing chorus chose chosen chris christ christian christianity christians christina christine christmas christopher chrome chronic chronicle chronicles chrysler chubby chuck church churches ci cia cialis ciao cigarette cigarettes cincinnati cindy cinema cingular cio cir circle circles circuit circuits circular circulation circumstances circus cisco citation citations cite cited cities citizen citizens citizenship city citysearch civic civil civilian civilization cj cl claim claimed claims claire clan clara clarity clark clarke class classes classic classical classics classification classified classifieds classroom clause clay clean cleaner cleaners cleaning cleanup clear clearance cleared clearing clearly clerk cleveland click clicking clicks client clients cliff climate climb climbing clinic clinical clinics clinton clip clips clock clocks clone close closed closely closer closes closest closing closure cloth clothes clothing cloud clouds cloudy club clubs cluster clusters cm cms cn cnet cnn co coach coaches coaching coal coalition coast coastal coat coated coating cock cocks cocktail cod code codes coding coffee cognitive cohen coin coins col cold cole coleman colin collaboration collaborative collapse collar colleague colleagues collect collectables collected collectible collectibles collecting collection collections collective collector collectors college colleges collins cologne colombia colon colonial colony color colorado colored colors colour colours columbia columbus column columnists columns com combat combination combinations combine combined combines combining combo come comedy comes comfort comfortable comic comics coming comm command commander commands comment commentary commented comments commerce commercial commission commissioner commissioners commissions commit commitment commitments committed committee committees commodities commodity common commonly commons commonwealth communicate communication communications communist communities community comp compact companies companion company compaq comparable comparative compare compared comparing comparison comparisons compatibility compatible compensation compete competent competing competition competitions competitive competitors compilation compile compiled compiler complaint complaints complement complete completed completely completing completion complex complexity compliance compliant complicated complications complimentary comply component components composed composer composite composition compound compounds comprehensive compressed compression compromise computation computational compute computed computer computers computing con concentrate concentration concentrations concept concepts conceptual concern concerned concerning concerns concert concerts conclude concluded conclusion conclusions concord concrete condition conditional conditioning conditions condo condos conduct conducted conducting conf conference conferences conferencing confidence confident confidential confidentiality config configuration configurations configure configured configuring confirm confirmation confirmed conflict conflicts confused confusion congo congratulations congress congressional conjunction connect connected connecticut connecting connection connections connectivity connector connectors cons conscious consciousness consecutive consensus consent consequence consequences consequently conservation conservative consider considerable consideration considerations considered considering considers consist consistency consistent consistently consisting consists console consoles consolidated consolidation consortium conspiracy const constant constantly constitute constitutes constitution constitutional constraint constraints construct constructed construction consult consultancy consultant consultants consultation consulting consumer consumers consumption contact contacted contacting contacts contain contained container containers containing contains contamination contemporary content contents contest contests context continent continental continually continue continued continues continuing continuity continuous continuously contract contracting contractor contractors contracts contrary contrast contribute contributed contributing contribution contributions contributor contributors control controlled controller controllers controlling controls controversial controversy convenience convenient convention conventional conventions convergence conversation conversations conversion convert converted converter convertible convicted conviction convinced cook cookbook cooked cookie cookies cooking cool cooler cooling cooper cooperation cooperative coordinate coordinated coordinates coordination coordinator cop cope copied copies copper copy copying copyright copyrighted copyrights coral cord cordless core cork corn cornell corner corners cornwall corp corporate corporation corporations corps corpus correct corrected correction corrections correctly correlation correspondence corresponding corruption cos cosmetic cosmetics cost costa costs costume costumes cottage cottages cotton could council councils counsel counseling count counted counter counters counties counting countries country counts county couple coupled couples coupon coupons courage courier course courses court courtesy courts cove cover coverage covered covering covers cow cowboy cox cp cpu cr crack cradle craft crafts craig crap craps crash crawford crazy cream create created creates creating creation creations creative creativity creator creature creatures credit credits creek crest crew cricket crime crimes criminal crisis criteria criterion critical criticism critics crm croatia crop crops cross crossing crossword crowd crown crucial crude cruise cruises cruz cry crystal cs css cst ct ctrl cu cuba cube cubic cuisine cult cultural culture cultures cum cumshot cumshots cumulative cunt cup cups cure curious currencies currency current currently curriculum cursor curtis curve curves custody custom customer customers customise customize customized customs cut cute cuts cutting cv cvs cw cyber cycle cycles cycling cylinder cyprus cz czech d da dad daddy daily dairy daisy dakota dale dallas dam damage damaged damages dame damn dan dana dance dancing danger dangerous daniel danish danny dans dare dark darkness darwin das dash dat data database databases date dated dates dating daughter daughters dave david davidson davis dawn day days dayton db dc dd ddr de dead deadline deadly deaf deal dealer dealers dealing deals dealt dealtime dean dear death deaths debate debian deborah debt debug debut dec decade decades december decent decide decided decimal decision decisions deck declaration declare declared decline declined decor decorating decorative decrease decreased dedicated dee deemed deep deeper deeply deer def default defeat defects defence defend defendant defense defensive deferred deficit define defined defines defining definitely definition definitions degree degrees del delaware delay delayed delays delegation delete deleted delhi delicious delight deliver delivered delivering delivers delivery dell delta deluxe dem demand demanding demands demo democracy democrat democratic democrats demographic demonstrate demonstrated demonstrates demonstration den denial denied denmark dennis dense density dental dentists denver deny department departmental departments departure depend dependence dependent depending depends deployment deposit deposits depot depression dept depth deputy der derby derek derived des descending describe described describes describing description descriptions desert deserve design designated designation designed designer designers designing designs desirable desire desired desk desktop desktops desperate despite destination destinations destiny destroy destroyed destruction detail detailed details detect detected detection detective detector determination determine determined determines determining detroit deutsch deutsche deutschland dev devel develop developed developer developers developing development developmental developments develops deviant deviation device devices devil devon devoted df dg dh di diabetes diagnosis diagnostic diagram dial dialog dialogue diameter diamond diamonds diana diane diary dice dick dicke dicks dictionaries dictionary did die died diego dies diesel diet dietary diff differ difference differences different differential differently difficult difficulties difficulty diffs dig digest digit digital dildo dildos dim dimension dimensional dimensions dining dinner dip diploma dir direct directed direction directions directive directly director directories directors directory dirt dirty dis disabilities disability disable disabled disagree disappointed disaster disc discharge disciplinary discipline disciplines disclaimer disclaimers disclose disclosure disco discount discounted discounts discover discovered discovery discrete discretion discrimination discs discuss discussed discusses discussing discussion discussions disease diseases dish dishes disk disks disney disorder disorders dispatch dispatched display displayed displaying displays disposal disposition dispute disputes dist distance distances distant distinct distinction distinguished distribute distributed distribution distributions distributor distributors district districts disturbed div dive diverse diversity divide divided dividend divine diving division divisions divorce divx diy dj dk dl dm dna dns do doc dock docs doctor doctors doctrine document documentary documentation documented documents dod dodge doe does dog dogs doing doll dollar dollars dolls dom domain domains dome domestic dominant dominican don donald donate donated donation donations done donna donor donors dont doom door doors dos dosage dose dot double doubt doug douglas dover dow down download downloadable downloaded downloading downloads downtown dozen dozens dp dpi dr draft drag dragon drain drainage drama dramatic dramatically draw drawing drawings drawn draws dream dreams dress dressed dresses dressing drew dried drill drilling drink drinking drinks drive driven driver drivers drives driving drop dropped drops drove drug drugs drum drums drunk dry dryer ds dsc dsl dt dts du dual dubai dublin duck dude due dui duke dumb dump duncan duo duplicate durable duration durham during dust dutch duties duty dv dvd dvds dx dying dylan dynamic dynamics e ea each eagle eagles ear earl earlier earliest early earn earned earning earnings earrings ears earth earthquake ease easier easily east easter eastern easy eat eating eau ebay ebony ebook ebooks ec echo eclipse eco ecological ecology ecommerce economic economics economies economy ecuador ed eddie eden edgar edge edges edinburgh edit edited editing edition editions editor editorial editorials editors edmonton eds edt educated education educational educators edward edwards ee ef effect effective effectively effectiveness effects efficiency efficient efficiently effort efforts eg egg eggs egypt egyptian eh eight either ejaculation el elder elderly elect elected election elections electoral electric electrical electricity electro electron electronic electronics elegant element elementary elements elephant elevation eleven eligibility eligible eliminate elimination elite elizabeth ellen elliott ellis else elsewhere elvis em emacs email emails embassy embedded emerald emergency emerging emily eminem emirates emission emissions emma emotional emotions emperor emphasis empire empirical employ employed employee employees employer employers employment empty en enable enabled enables enabling enb enclosed enclosure encoding encounter encountered encourage encouraged encourages encouraging encryption encyclopedia end endangered ended endif ending endless endorsed endorsement ends enemies enemy energy enforcement eng engage engaged engagement engaging engine engineer engineering engineers engines england english enhance enhanced enhancement enhancements enhancing enjoy enjoyed enjoying enlarge enlargement enormous enough enquiries enquiry enrolled enrollment ensemble ensure ensures ensuring ent enter entered entering enterprise enterprises enters entertaining entertainment entire entirely entities entitled entity entrance entrepreneur entrepreneurs entries entry envelope environment environmental environments enzyme eos ep epa epic epinions episode episodes epson eq equal equality equally equation equations equilibrium equipment equipped equity equivalent er era eric ericsson erik erotic erotica erp error errors es escape escort escorts especially espn essay essays essence essential essentially essentials essex est establish established establishing establishment estate estates estimate estimated estimates estimation estonia et etc eternal ethernet ethical ethics ethiopia ethnic eu eugene eur euro europe european euros ev eva eval evaluate evaluated evaluating evaluation evaluations evanescence evans eve even evening event events eventually ever every everybody everyday everyone everything everywhere evidence evident evil evolution ex exact exactly exam examination examinations examine examined examines examining example examples exams exceed excel excellence excellent except exception exceptional exceptions excerpt excess excessive exchange exchanges excited excitement exciting exclude excluded excluding exclusion exclusive exclusively excuse exec execute executed execution executive executives exempt exemption exercise exercises exhaust exhibit exhibition exhibitions exhibits exist existed existence existing exists exit exotic exp expand expanded expanding expansion expansys expect expectations expected expects expedia expenditure expenditures expense expenses expensive experience experienced experiences experiencing experiment experimental experiments expert expertise experts expiration expired expires explain explained explaining explains explanation explicit explicitly exploration explore explorer exploring explosion expo export exports exposed exposure express expressed expression expressions ext extend extended extending extends extension extensions extensive extent exterior external extra extract extraction extraordinary extras extreme extremely eye eyed eyes ez f fa fabric fabrics fabulous face faced faces facial facilitate facilities facility facing fact factor factors factory facts faculty fail failed failing fails failure failures fair fairfield fairly fairy faith fake fall fallen falling falls fame familiar families family famous fan fancy fans fantastic fantasy faq faqs far fare fares farm farmer farmers farming farms fascinating fashion fast faster fastest fat fatal fate father fathers fatty fault favor favorite favorites favors favour favourite favourites fax fbi fc fcc fd fda fe fear fears feat feature featured features featuring feb february fed federal federation fee feed feedback feeding feeds feel feeling feelings feels fees feet fell fellow fellowship felt female females fence feof ferrari ferry festival festivals fetish fever few fewer ff fg fi fiber fibre fiction field fields fifteen fifth fifty fig fight fighter fighters fighting figure figured figures fiji file filed filename files filing fill filled filling film filme films filter filtering filters fin final finally finals finance finances financial financing find findarticles finder finding findings findlaw finds fine finest finger fingering fingers finish finished finishing finite finland finnish fioricet fire fired firefox fireplace fires firewall firewire firm firms firmware first fiscal fish fisher fisheries fishing fist fisting fit fitness fits fitted fitting five fix fixed fixes fixtures fl flag flags flame flash flashers flashing flat flavor fleece fleet flesh flex flexibility flexible flickr flight flights flip float floating flood floor flooring floors floppy floral florence florida florist florists flour flow flower flowers flows floyd flu fluid flush flux fly flyer flying fm fo foam focal focus focused focuses focusing fog fold folder folders folding folk folks follow followed following follows font fonts foo food foods fool foot footage football footwear for forbes forbidden force forced forces ford forecast forecasts foreign forest forestry forests forever forge forget forgot forgotten fork form formal format formation formats formatting formed former formerly forming forms formula fort forth fortune forty forum forums forward forwarding fossil foster foto fotos fought foul found foundation foundations founded founder fountain four fourth fox fp fr fraction fragrance fragrances frame framed frames framework framing france franchise francis francisco frank frankfurt franklin fraser fraud fred frederick free freebsd freedom freelance freely freeware freeze freight french frequencies frequency frequent frequently fresh fri friday fridge friend friendly friends friendship frog from front frontier frontpage frost frozen fruit fruits fs ft ftp fu fuck fucked fucking fuel fuji fujitsu full fully fun function functional functionality functioning functions fund fundamental fundamentals funded funding fundraising funds funeral funk funky funny fur furnished furnishings furniture further furthermore fusion future futures fuzzy fw fwd fx fy g ga gabriel gadgets gage gain gained gains galaxy gale galleries gallery gambling game gamecube games gamespot gaming gamma gang gangbang gap gaps garage garbage garcia garden gardening gardens garlic garmin gary gas gasoline gate gates gateway gather gathered gathering gauge gave gay gays gazette gb gba gbp gc gcc gd gdp ge gear geek gel gem gen gender gene genealogy general generally generate generated generates generating generation generations generator generators generic generous genes genesis genetic genetics geneva genius genome genre genres gentle gentleman gently genuine geo geographic geographical geography geological geology geometry george georgia gerald german germany get gets getting gg ghana ghost ghz gi giant giants gibraltar gibson gif gift gifts gig gilbert girl girlfriend girls gis give given gives giving gl glad glance glasgow glass glasses glen glenn global globe glory glossary gloves glow glucose gm gmbh gmc gmt gnome gnu go goal goals goat god gods goes going gold golden golf gone gonna good goods google gordon gore gorgeous gospel gossip got gothic goto gotta gotten gourmet governance governing government governmental governments governor gp gpl gps gr grab grace grad grade grades gradually graduate graduated graduates graduation graham grain grammar grams grand grande granny grant granted grants graph graphic graphical graphics graphs gras grass grateful gratis gratuit grave gravity gray great greater greatest greatly greece greek green greene greenhouse greensboro greeting greetings greg gregory grenada grew grey grid griffin grill grip grocery groove gross ground grounds groundwater group groups grove grow growing grown grows growth gs gsm gst gt gtk guam guarantee guaranteed guarantees guard guardian guards guatemala guess guest guestbook guests gui guidance guide guided guidelines guides guild guilty guinea guitar guitars gulf gun guns guru guy guyana guys gym gzip h ha habitat habits hack hacker had hair hairy haiti half halifax hall halloween halo ham hamburg hamilton hammer hampshire hampton hand handbags handbook handed handheld handhelds handjob handjobs handle handled handles handling handmade hands handy hang hanging hans hansen happen happened happening happens happiness happy harassment harbor harbour hard hardcore hardcover harder hardly hardware hardwood harley harm harmful harmony harold harper harris harrison harry hart hartford harvard harvest harvey has hash hat hate hats have haven having hawaii hawaiian hawk hay hayes hazard hazardous hazards hb hc hd hdtv he head headed header headers heading headline headlines headphones headquarters heads headset healing health healthcare healthy hear heard hearing hearings heart hearts heat heated heater heath heather heating heaven heavily heavy hebrew heel height heights held helen helena helicopter hell hello helmet help helped helpful helping helps hence henderson henry hentai hepatitis her herald herb herbal herbs here hereby herein heritage hero heroes herself hewlett hey hh hi hidden hide hierarchy high higher highest highland highlight highlighted highlights highly highs highway highways hiking hill hills hilton him himself hindu hint hints hip hire hired hiring his hispanic hist historic historical history hit hitachi hits hitting hiv hk hl ho hobbies hobby hockey hold holdem holder holders holding holdings holds hole holes holiday holidays holland hollow holly hollywood holmes holocaust holy home homeland homeless homepage homes hometown homework hon honda honduras honest honey hong honolulu honor honors hood hook hop hope hoped hopefully hopes hoping hopkins horizon horizontal hormone horn horny horrible horror horse horses hose hospital hospitality hospitals host hosted hostel hostels hosting hosts hot hotel hotels hotmail hottest hour hourly hours house household households houses housewares housewives housing houston how howard however howto hp hq hr href hrs hs ht html http hu hub hudson huge hugh hughes hugo hull human humanitarian humanities humanity humans humidity humor hundred hundreds hung hungarian hungary hunger hungry hunt hunter hunting huntington hurricane hurt husband hwy hybrid hydraulic hydrocodone hydrogen hygiene hypothesis hypothetical hyundai hz i ia ian ibm ic ice iceland icon icons icq ict id idaho ide idea ideal ideas identical identification identified identifier identifies identify identifying identity idle idol ids ie ieee if ignore ignored ii iii il ill illegal illinois illness illustrated illustration illustrations im image images imagination imagine imaging img immediate immediately immigrants immigration immune immunology impact impacts impaired imperial implement implementation implemented implementing implications implied implies import importance important importantly imported imports impose imposed impossible impressed impression impressive improve improved improvement improvements improving in inappropriate inbox inc incentive incentives incest inch inches incidence incident incidents incl include included includes including inclusion inclusive income incoming incomplete incorporate incorporated incorrect increase increased increases increasing increasingly incredible incurred ind indeed independence independent independently index indexed indexes india indian indiana indianapolis indians indicate indicated indicates indicating indication indicator indicators indices indie indigenous indirect individual individually individuals indonesia indonesian indoor induced induction industrial industries industry inexpensive inf infant infants infected infection infections infectious infinite inflation influence influenced influences info inform informal information informational informative informed infrared infrastructure infringement ing ingredients inherited initial initially initiated initiative initiatives injection injured injuries injury ink inkjet inline inn inner innocent innovation innovations innovative inns input inputs inquire inquiries inquiry ins insects insert inserted insertion inside insider insight insights inspection inspections inspector inspiration inspired install installation installations installed installing instance instances instant instantly instead institute institutes institution institutional institutions instruction instructional instructions instructor instructors instrument instrumental instrumentation instruments insulation insulin insurance insured int intake integer integral integrate integrated integrating integration integrity intel intellectual intelligence intelligent intend intended intense intensity intensive intent intention inter interact interaction interactions interactive interest interested interesting interests interface interfaces interference interim interior intermediate internal international internationally internet internship interpretation interpreted interracial intersection interstate interval intervals intervention interventions interview interviews intimate intl into intranet intro introduce introduced introduces introducing introduction introductory invalid invasion invention inventory invest investigate investigated investigation investigations investigator investigators investing investment investments investor investors invisible invision invitation invitations invite invited invoice involve involved involvement involves involving io ion iowa ip ipaq ipod ips ir ira iran iraq iraqi irc ireland irish iron irrigation irs is isa isaac isbn islam islamic island islands isle iso isolated isolation isp israel israeli issn issue issued issues ist istanbul it italia italian italiano italic italy item items its itself itunes iv ivory ix j ja jack jacket jackets jackie jackson jacksonville jacob jade jaguar jail jake jam jamaica james jamie jan jane janet january japan japanese jar jason java javascript jay jazz jc jd je jean jeans jeep jeff jefferson jeffrey jelsoft jennifer jenny jeremy jerry jersey jerusalem jesse jessica jesus jet jets jewel jewellery jewelry jewish jews jill jim jimmy jj jm jo joan job jobs joe joel john johnny johns johnson johnston join joined joining joins joint joke jokes jon jonathan jones jordan jose joseph josh joshua journal journalism journalist journalists journals journey joy joyce jp jpeg jpg jr js juan judge judges judgment judicial judy juice jul julia julian julie july jump jumping jun junction june jungle junior junk jurisdiction jury just justice justify justin juvenile jvc k ka kai kansas karaoke karen karl karma kate kathy katie katrina kay kazakhstan kb kde keen keep keeping keeps keith kelkoo kelly ken kennedy kenneth kenny keno kent kentucky kenya kept kernel kerry kevin key keyboard keyboards keys keyword keywords kg kick kid kidney kids kijiji kill killed killer killing kills kilometers kim kinase kind kinda kinds king kingdom kings kingston kirk kiss kissing kit kitchen kits kitty klein km knee knew knife knight knights knit knitting knives knock know knowing knowledge knowledgestorm known knows ko kodak kong korea korean kruger ks kurt kuwait kw ky kyle l la lab label labeled labels labor laboratories laboratory labour labs lace lack ladder laden ladies lady lafayette laid lake lakes lamb lambda lamp lamps lan lancaster lance land landing lands landscape landscapes lane lanes lang language languages lanka laos lap laptop laptops large largely larger largest larry
submitted by essidus to OneWordBan [link] [comments]

Tools & Info for MSPs #1 - Mega List of Tips, Tools, Books, Blogs & More

Hello msp,
This marks 6 months since we launched the full list on our website here. We decided to celebrate with a mega list of the items we've featured since then, broken down by category. I hope you enjoy it!
** We're looking to include more tips from IT Pros, SysAdmins and MSPs in IT Pro Tuesday. This could be command line, shortcuts, process, security or whatever else makes you more effective at doing your job. Please leave a comment with your favorite tip(s) and we'll be featuring them over the following weeks. **
Now on with this week's tools... As always, EveryCloud has no known affiliation with any of these unless we explicitly state otherwise.
Free Tools
Pageant is an SSH authentication agent that makes it easier to connect to Unix or Linux machines via PuTTY. Appreciated by plazman30 who says, "It took me WAY TOO LONG to discover this one. Pageant is a component of Putty. It sits in your system tray and will let you load SSH keys into it and pass them through to putty, WinSCP, and number of other apps that support it."
NCurses Disk Usage is a disk usage analyzer with an ncurses interface. It is fast, simple and easy and should run in any minimal POSIX-like environment with ncurses installed. Recommended by durgadas as "something I install on all my Linuxes... Makes finding out sizes semi-graphical, [with] super easy nav. Good for places without monitoring—lightweight and fast; works on nearly all flavors of Unix I've needed."
AutoHotkey is an open-source scripting language for Windows that helps you easily create small to complex scripts for all sorts of tasks (form fillers, auto-clicking, macros, etc.) Automate any desktop task with this small, fast tool that runs out-of-the-box. Recommended by plazman30 as a "pretty robust Windows scripting language. I use it mostly for on-the-fly pattern substitution. It's nice to be able to type 'bl1' and have it auto-replace it my bridge line phone number."
PingInfoView lets you easily ping multiple host names and IP addresses, with the results compiled in a single table. Automatically pings all hosts at the interval you specify, and displays the number of successful and failed pings, as well as average ping time. Results can be saved as a text/html/xml file or copied to the clipboard. Thanks go to sliced_BR3AD for this one.
DriveDroid simulates a USB thumbdrive or CD-drive via the mass storage capabilities in the Android/Linux kernel. Any ISO/IMG files on the phone can be exposed to a PC, as well as any other USB thumbdrive capabilities, including booting from the drive. Can be a quick and easy option for OS installations, rescues or occasions when it helps to have a portable OS handy. Suggested by codywarmbo, who likes it because of the ability to "Boot a PC using ISO files stored on your Android phone... Having a 256GB SD full of any OS you want is super handy!"
FreeIPA is an integrated identity and authentication solution for Linux/UNIX networked environments. It combines Linux (Fedora), 389 Directory Server, MIT Kerberos, NTP, DNS and Dogtag (Certificate System). Provides centralized authentication, authorization and account information by storing data about user, groups, hosts and other objects necessary to manage the security of a network. Thanks to skarsol, who recommends it as an open-source solution for cross-system, cross-platform, multi-user authentication.
PCmover Profile Migrator migrates applications, files and settings between any two user profiles on the same computer to help set up PCs with O365 Business. User profile apps, data and settings are quickly and easily transferred from the old local AD users to new Azure AD users. Can be good for migrating data from a user profile associated with a former domain to a new profile on a new domain. Suggested by a_pojke, who found it useful "to help migrate profiles to 0365/AAD; it's been a life saver with some recent onboards."
GNU Guix is a Linux package manager that is based on the Nix package manager, with Guile Scheme APIs. It is an advanced distribution of the GNU OS that specializes in providing exclusively free software. Supports transactional upgrades and roll-backs, unprivileged package management and more. When used as a standalone distribution, Guix supports declarative system configuration for transparent and reproducible operating systems. Comes with thousands of packages, which include applications, system tools, documentation, fonts and more. Recommended by necrophcodr.
Attack Surface Analyzer 2.0 is the latest version of the MS tool for taking a snapshot of your system state before and after installation of software. It displays changes to key elements of the system attack surface so you can view changes resulting from the introduction of the new code. This updated version is a rewrite of the classic 1.0 version from 2012, which covered older versions of Windows. It is available for download or as source code on Github. Credit for alerting us to this one goes to Kent Chen.
Process Hacker is an open-source process viewer that can help with debugging, malware detection, analyzing software and system monitoring. Features include: a clear overview of running processes and resource usage, detailed system information and graphs, viewing and editing services and more. Recommended by k3nnyfr, who likes it as a "ProcessExplorer alternative, good for debugging SRP and AppLocker issues."
Q-Dir (the Quad Explorer) provides quick, simple access to hard disks, network folders, USB-sticks, floppy disks and other storage devices. Includes both 32-bit and 64-bit versions, and the correct one is used automatically. This tool has found a fan in user_none, who raves, "Q-Dir is awesome! I searched high and low for a good, multi-pane Explorer replacement that didn't have a whole bunch of junk, and Q-Dir is it. Fantastic bit of software."
iftop is a command-line system monitor tool that lets you display bandwidth usage on an interface. It produces a frequently updated list of network connections, ordered according to bandwidth usage—which can help in identifying the cause of some network slowdowns. Appreciated by zorinlynx, who likes that it "[l]ets you watch a network interface and see the largest flows. Good way to find out what's using up all your bandwidth."
Delprof2 is a command-line-based application for deleting user profiles in a local or remote Windows computer according to the criteria you set. Designed to be easy to use with even very basic command-line skills. This one is thanks to Evelen1, who says, "I use this when computers have problems due to profiles taking up all the hard drive space."
MSYS2 is a Windows software distribution and building platform. This independent rewrite of MSYS, based on modern Cygwin (POSIX compatibility layer) and MinGW-w64, aims for better interoperability with native Windows software. It includes a bash shell, Autotools, revision control systems and more for building native Windows applications using MinGW-w64 toolchains. The package management system provides easy installation. Thanks for this one go to Anonymouspock, who says, "It's a mingw environment with the Arch Linux pacman package manager. I use it for ssh'ing into things, which it does very well since it has a proper VT220 compatible terminal with an excellent developer."
FastCopy is the fastest copy/backup software for Windows. Supports UNICODE and over MAX_PATH (260 characters) file pathnames. Uses multi-threads to bring out the best speed of devices and doesn't hog resources, because MFC is not used. Recommended by DoTheEvolution as the "fastest, comfiest copy I ever used. [I]t behaves just like I want, won't shit itself on trying to read damaged hdd, long paths are no problem, logs stuff, can shutdown after done, got it integrated into portable totalcommander."
Baby Web Server is an alternative for Microsoft's IIS. This simple web server offers support for ASP, with extremely simple setup. The server is multi threaded, features a real-time server log and allows you to configure a directory for webpages and default HTML page. Offers support for GET, POST and HEAD methods (form processing); sends directory listing if default HTML is not found in directory; native ASP, cookie and SSI support; and statistics on total connections, successful and failed requests and more. Limited to 5 simultaneous connections. FatherPrax tells us it's "[g]reat for when you're having to update esoteric firmware at client sites."
Bping is a Windows ping alternative that beeps whenever a reply comes in. Can allow you to keep track of your pings without having to watch the monitor. According to the recommendation from bcahill, "you can set it to beep on ping reply or on ping failure (default). I love it because if I'm wanting to monitor when a server goes up or down, I can leave it running in the background and I'll know the instant the status changes."
LDAPExplorerTool is a multi-platform graphical LDAP browser and tool for browsing, modifying and managing LDAP servers. Tested for Windows and Linux (Debian, Red Hat, Mandriva). Features SSL/TLS & full UNICODE support, the ability to create/edit/remove LDAP objects and multivalue support (including edition). Endorsed by TotallyNotIT... "Holy hell, that thing is useful."
MxToolbox is a tool that lists the MX records for a domain in priority order. Changes to MX Records show up instantly because the MX lookup is done directly against the domain's authoritative name server. Diagnostics connects to the mail server, verifies reverse DNS records, performs a simple Open Relay check and measures response time performance. Also lets you check each MX record (IP Address) against 105 blacklists. Razorray21 tells us it's an "excellent site for troubleshooting public DNS issues."
Proxmox Virtual Environment is a Debian-based Linux distribution with a modified Ubuntu LTS kernel that allows deployment and management of virtual machines and containers. Suggested by -quakeguy-, who says, "Proxmox is totally killer, particularly if you don't want to spend a ton of money and like ZFS."
Multi Commander is a multi-tabbed file manager that is an alternative to Windows Explorer. It has all the standard features of a file manager plus more-advanced features, like auto-unpacking; auto-sorting; editing the Windows Registry and accessing FTP; searching for and viewing files and pictures. Includes built-in scripting support. Reverent tells us "What I love about Multicommander is that it basically acts as a launcher for all my tools. Documents automatically open up in my preferred editor (vscode), compressed files automatically open up in 7-zip, I have a ton of custom shortcuts bound to hotkeys, and it has a bunch of built-in tools. I can even do cool things like open up consolez in the focused directory and choose to open CMD, Powershell, or Powershell 6 (portable) and whether it runs as admin or not. Oh yeah, and it's all portable. It and all the tool dependencies run off the USB."
Apache Guacamole is a remote desktop gateway that supports standard protocols like VNC, RDP and SSH. The client is an HTML5 web app that requires no plugins or client software. Once installed on a server, desktops are accessible from anywhere via web browser. Both the Guacamole server and a desktop OS can be hosted in the cloud, so desktops can be virtual. Built on its own stack of core APIs, Guacamole can be tightly integrated into other applications. "Fir3start3r likes it because it "will allow you to RDP/VNC/TELNET/SSH to any device that it can reach via a web browser....you can set up folders/subfolders for groups of devices to keep things organized - love it!!"
ShowKeyPlus is a simple Windows product key finder and validation checker for Windows 7, 8 and 10. Displays the key and its associated edition of Windows. Thanks to k3nnyfr for the recommendation.
Netdisco is a web-based network management tool that collects IP and MAC address data in a PostgreSQL database using SNMP, CLI or device APIs. It is easy to install and works on any Linux or Unix system (docker images also available). Includes a lightweight web server interface, a backend daemon to gather network data and a command-line interface for troubleshooting. Lets you turn off a switch port or change the VLAN or PoE status of a port and inventory your network by model, vendor, and software. Suggested by TheDraimen, who loves "being able to punch in a MAC and find what port it is plugged into or run an inventory on a range of IPs to find unused in static range..."
NetBox is an open-source web application that helps manage and document networks. Addresses IP address management (IPAM); organizing equipment racks by group and site; tracking types of devices and where they are installed; network, console, and power connections among devices; virtual machines and clusters; long-haul communications circuits and providers; and encrypted storage of sensitive credentials. Thanks to ollybee for the suggestion.
Elasticsearch Security. The core security features of the Elastic Stack are now available for free, including encrypting network traffic, creating and managing users, defining roles that protect index and cluster level access, and fully secure Kibana with Spaces (see the linked blog post for more info). Thanks to almathden for bringing this great news to our attention.
BornToBeRoot NETworkManager is a tool for managing and troubleshooting networks. Features include a dashboard, network interface, IP scanner, port scanner, ping, traceroute, DNS lookup, remote desktop, PowerShell (requires Windows 10), PuTTY (requires PuTTY), TigerVNC (requires TigerVNC), SNMP - Get, Walk, Set (v1, v2c, v3), wake on LAN, HTTP headers, whois, subnet calculator, OUI/port lookup, connections, listeners and ARP table. Suggested by TheZNerd, who finds it "nice [for] when I calculate subnet up ranges for building SCCM implementations for my clients."
Awesome Selfhosted is a list of free software network services and web applications that can be self hosted—instead of renting from SaaS providers. Example list categories include: Analytics, Archiving and Digital Preservation, Automation, Blogging Platforms ...and that's just the tip of the iceberg!
Rclone is a command-line program for syncing files and directories to/from many platforms. Features include MD5/SHA1 hash checking for file integrity; file timestamp preservation; partial-sync support on a whole-file basis; ability to copy only new/changed files; one-way sync; check mode; network sync; backend encryption, cache and union; and optional FUSE mount. Recommended by wombat-twist because it supports "many cloud/traditional storage platforms."
Freeware Utilities for Windows can be found in this rather long list. Tools are organized by category: password recovery, network monitoring, web browser, video/audio related, internet related, desktop, Outlook/Office, programmer, disk, system and other. Appreciation to Adolfrian for the recommendation.
Checkmk is a comprehensive solution for monitoring of applications, servers, and networks that leverages more than 1700 integrated plug-ins. Features include hardware & software inventory; an event console; analysis of SysLog, SNMP traps and log files; business intelligence; and a simple, graphical visualization of time-series metrics data. Comes in both a 100% open-source edition and an Enterprise Edition with a high-performance core and additional features and support. Kindly suggested by Kryp2nitE.
restic is a backup program focused on simplicity—so it's more likely those planned backups actually happen. Easy to both configure and use, fast and verifiable. Uses cryptography to guarantee confidentiality and integrity of the data. Assumes backup data is stored in an untrusted environment, so it encrypts your data with AES-256 in counter mode and authenticates using Poly1305-AES. Additional snapshots only take the storage of the actual increment and duplicate data is de-duplicated before it is written to the storage backend to save space. Recommended by shiitakeshitblaster who says, "I'm loving it! Wonderful cli interface and easy to configure and script."
DPC Latency Checker is a Windows tool for analyzing a computer system's ability to correctly handle real-time data streams. It can help identify the cause of drop-outs—the interruptions in real-time audio and video streams. Supports Windows 7, Windows 7 x64, Windows Vista, Windows Vista x64, Windows Server 2003, Windows Server 2003 x64, Windows XP, Windows XP x64, Windows 2000. DoTheEvolution recommends it as a preferable way to check system latency, because otherwise you usually "just start to disconnect shit while checking it."
TLDR (too long; didn’t read) pages is a community-driven repository for simplifying man pages with practical examples. This growing collection includes examples for all the most-common commands in UNIX, Linux, macOS, SunOS and Windows. Our appreciation goes to thblckjkr for the suggestion.
Network Analyzer Pro helps diagnose problems in your wifi network setup or internet connection and detects issues on remote servers. Its high-performance wifi device discovery tool provides all LAN device addresses, manufacturers and names along with the BonjouDLNA services they provide. Shows neighboring wi-fi networks and signal strength, encryption and router manufacturer that can help with finding the best channel for a wireless router. Everything works with IPv4 and IPv6. Caleo recommends it because it "does everything Advanced IP scanner does and more—including detailed network information, speed testing, upnp/bonjour service scans, port scans, whois, dns record lookup, tracert, etc."
SmokePing is an open-source tool for monitoring network latency. Features best-of-breed latency visualization, an interactive graph explorer, a wide range of latency measurement plugins, a masteslave system for distributed measurement, a highly configurable alerting system and live latency charts. Kindly suggested by freealans.
Prometheus is an open source tool for event monitoring and alerting. It features a multi-dimensional data model with time series data identified by metric name and key/value pairs, a flexible query language, no reliance on distributed storage (single server nodes are autonomous), time series collection via a pull model over HTTP, pushing time series supported via an intermediary gateway, targets discovered via service discovery or static configuration, and multiple modes of graphing and dashboarding support. Recommended by therealskoopy as a "more advanced open source monitoring system" than Zabbix.
MediCat is bootable troubleshooting environment that continues where Hiren's Boot CD/DVD left off. It provides a simplified menu system full of useful PC tools that is easy to navigate. It comes in four versions:
Recommended by reloadz400, who adds that it has a "large footprint (18GB), but who doesn't have 32GB and larger USB sticks laying everywhere?"
PRTG monitors all the systems, devices, traffic and applications in your IT infrastructure—traffic, packets, applications, bandwidth, cloud services, databases, virtual environments, uptime, ports, IPs, hardware, security, web services, disk usage, physical environments and IoT devices. Supports SNMP (all versions), Flow technologies (NetFlow, jFlow, sFlow), SSH, WMI, Ping, and SQL. Powerful API (Python, EXE, DLL, PowerShell, VB, Batch Scripting, REST) to integrate everything else. While the unlimited version is free for 30 days, stillchangingtapes tells us it remains "free for up to 100 sensors."
NetworkMiner is a popular open-source network forensic analysis tool with an intuitive user interface. It can be used as a passive network sniffepacket capturing tool for detecting operating systems, sessions, hostnames, open ports and the like without putting traffic on the network. It can also parse PCAP files for off-line analysis and to regenerate/reassemble transmitted files and certificates from PCAP files. Credit for this one goes to Quazmoz.
PingCastle is a Windows tool for auditing the risk level of your AD infrastructure and identifying vulnerable practices. The free version provides the following reports: Health Check, Map, Overview and Management. Recommended by L3T, who cheerfully adds, "Be prepared for the best free tool ever."
Jenkins is an open-source automation server, with hundreds of plugins to support project building, deployment and automation. This extensible automation server can be used as a simple CI server or turned into a continuous delivery hub. Can distribute work across multiple machines, with easy setup and configuration via web interface. Integrates with virtually any tool in the continuous integration/delivery toolchain. It is self-contained, Java-based and ready to run out-of-the-box. Includes packages for Windows, Mac OS X and other Unix-like operating systems. A shout out to wtfpwndd for the recommendation.
iPerf3 provides active measurements of the maximum achievable bandwidth on IP networks. Reports the bandwidth, loss and other parameters. Lets you tune various parameters related to timing, buffers and protocols (TCP, UDP, SCTP with IPv4 and IPv6). Be aware this newer implementation shares no code with the original iPerf and is not backwards compatible. Credit for this one goes to Moubai.
LatencyMon analyzes the possible causes of buffer underruns by measuring kernel timer latencies and reporting DPC/ISR excecution times and hard pagefaults. It provides a comprehensible report and identifies the kernel modules and processes behind audio latencies that result in drop outs. It also provides the functionality of an ISR monitor, DPC monitor and a hard pagefault monitor. Requires Windows Vista or later. Appreciation to aberugg who tells us, "LatencyMon will check all sorts of info down to what driveprocess might be the culprit. It will help you narrow it down even more. This tool helped me realize that Windows 10's kernel is terrible in terms of device latency when compared to previous versions."
GNU parallel is a shell tool for executing jobs—like a single command or a small script that has to be run for each of the lines in the input—in parallel on one or more computers. Typical input is a list of files, hosts, users, URLs or tables. A job can also be a command that reads from a pipe, which can then be split and piped into commands in parallel. Velenux finds it "handy to split jobs when you have many cores to use."
Kanboard is open-source project management software that features a simple, intuitive user interface, a clear overview of your tasks—with search and filtering, drag and drop, automatic actions and subtasks, attachments and comments. Thanks go to sgcdialler for this one!
Monosnap is a cross-platform screenshot utility with some nice features. Suggested by durgadas, who likes it because it "has a built-in editor for arrows and blurring and text and can save to custom locations—like Dropbox or multiple cloud services, including it's own service, Amazon S3, FTP, SFTP, Box, Dropbox, Google Drive, Yandex, Evernote... Video and gaming screen capture also, shrink Retina screenshot preference, etc, etc... Every feature I've ever wanted in a screenshot utility is there."
Advanced Port Scanner is a network scanner with a user-friendly interface and some nice features. Helps you quickly find open ports on network computers and retrieve versions of programs running on those ports. Recommended by DarkAlman, who sees it as the "same as [Advanced IP Scanner], but for active ports."
Spiceworks Network Monitor and Helpdesk allows you to launch a fully-loaded help desk in minutes. This all-in-one solution includes inventory, network monitor and helpdesk.
Microsoft Safety Scanner helps you find and remove malware from computers running Windows 10, Windows 10 Tech Preview, Windows 8.1, Windows 8, Windows 7, Windows Server 2016, Windows Server Tech Preview, Windows Server 2012 R2, Windows Server 2012, Windows Server 2008 R2, or Windows Server 2008. Only scans when manually triggered, and it is recommended you download a new version prior to each scan to make sure it is updated for the latest threats.
CLCL is a free, clipboard caching utility that supports all clipboard formats. Features a customizable menu. According to JediMasterSeamus, this clipboard manager "saves so much time. And you can save templates for quick responses or frequently typed stuff."
Desktop Info displays system information on your desktop, like wallpaper, but stays in memory and updates in real time. Can be great for walk-by monitoring. Recommended by w1llynilly, who says, "It has 2 pages by default for metrics about the OS and the network/hardware. It is very lightweight and was recommended to me when I was looking for BGInfo alternatives."
True Ping is exactly the same as the standard ping program of Windows 9x, NT and 2000—except that it does a better job calculating the timing. It uses a random buffer (that changes at every ping) to improve performance. Thanks to bcahill for this one, who says, it "... can send pings very fast (hundreds per second). This is very helpful when trying to diagnose packet loss. It very quickly shows if packet loss is occurring, so I can make changes and quickly see the effect."
Parted Magic is a hard disk management solution that includes tools for disk partitioning and cloning, data rescue, disk erasing and benchmarking with Bonnie++, IOzone, Hard Info, System Stability Tester, mprime and stress. This standalone Linux operating system runs from a CD or USB drive, so nothing need be installed on the target machine. Recommended by Aggietallboy.
mbuffer is a tool for buffering data streams that offers direct support for TCP-based network targets (IPv4 and IPv6), the ability to send to multiple targets in parallel and support for multiple volumes. It features I/O rate limitation, high-/low-watermark-based restart criteria, configurable buffer size and on-the-fly MD5 hash calculation in an efficient, multi-threaded implementation. Can help extend drive motor life by avoiding buffer underruns when writing to fast tape drives or libraries (those drives tend to stop and rewind in such cases). Thanks to zorinlynx, who adds, "If you move large streams from place to place, for example with "tar" or "zfs send" or use tape, mbuffer is awesome. You can send a stream over the network with a large memory buffer at each end so that momentary stalls on either end of the transfer don't reduce performance. This especially helps out when writing to tapes, as the tape drive can change directions without stopping the flow of data."
TeraCopy is a tool for copying files faster and more securely while preserving data integrity. Gives you the ability to pause/resume file transfers, verify files after copy, preserve date timestamps, copy locked files, run a shell script on completion, generate and verify checksum files and delete files securely. Integrates with Windows Explorer. Suggested by DarkAlman to "replace the integrated Windows file copy utility. Much more stable, quicker transfers, crash tolerant and adds features like 'No-to-all' and 'yes-to-all' for comparing folders."
MultiDesk & MultiDeskEnforcer are a combination of a tabbed remote desktop client (terminal services client) and a service that limits connections to only those that provide the correct shared secret (keeps hackers from accessing your server via RDP even if they have the correct password). Suggested by plazman30 as being "[s]imilar to Microsoft's RDP Manager, [b]ut doesn't need to be installed and has tabs across the top, instead of the side."
The PsTools suite includes command-line utilities for listing the processes running on local or remote computers, running processes remotely, rebooting computers, dumping event logs, and more. FYI: Some anti-virus scanners report that one or more of the tools are infected with a "remote admin" virus. None of the PsTools contain viruses, but they have been used by viruses, which is why they trigger virus notifications.
Mosh is a remote terminal application that allows roaming, supports intermittent connectivity, and provides intelligent local echo and line editing of user keystrokes. It can be a more robust and responsive replacement for interactive SSH terminals. Available for GNU/Linux, BSD, macOS, Solaris, Android, Chrome and iOS. Suggested by kshade_hyaena, who likes it "for sshing while your connection is awful."
HTTPie is a command-line HTTP client designed for easy debugging and interaction with HTTP servers, RESTful APIs and web services. Offers an intuitive interface, JSON support, syntax highlighting, wget-like downloads, plugins, and more—Linux, macOS, and Windows support. Suggested by phils_lab as "like curl, but for humans."
Prometheus is an open-source toolkit for application monitoring that's based on metrics collection for visualization and alerting. It's nice for recording any purely numeric time series and for monitoring of both machine-centric as well as highly dynamic service-oriented architectures. Offers support for multi-dimensional data collection and querying. Designed for reliability, and each Prometheus server is standalone, independent of network storage or other remote services.
LibreNMS is a full-featured network monitoring system. Supports a range of operating systems including Linux, FreeBSD, as well as network devices including Cisco, Juniper, Brocade, Foundry, HP and others. Provides automatic discovery of your entire network using CDP, FDP, LLDP, OSPF, BGP, SNMP and ARP; a flexible alerting system; a full API to manage, graph and retrieve data from your install and more. TheDraimen recommends it "if you cant afford a monitoring suite."
Tftpd64 is an open-source, IPv6-ready application that includes DHCP, TFTP, DNS, SNTP and Syslog servers and a TFTP client. Both client and server are fully compatible with TFTP option support (tsize, blocksize, timeout) to allow maximum performance when transferring data. Features include directory facility, security tuning and interface filtering. The included DHCP server offers unlimited IP address assignment. Suggested by Arkiteck: "Instead of Solarwinds TFTP Server, give Tftpd64 a try (it's FOSS)."
Tree Style Tab is a Firefox add-on that allows you to open tabs in a tree-style hierarchy. New tabs open automatically as "children" of the tab from which they originated. Child branches can be collapsed to reduce the number of visible tabs. Recommended by Erasus, who says, "being a tab hoarder, having tabs on the left side of my screen is amazing + can group tabs."
AutoIt v3 is a BASIC-like scripting language for automating the Windows GUI and general scripting. It automates tasks through a combination of simulated keystrokes, mouse movement and window/control manipulation. Appreciated by gj80, who says, "I've built up 4700 lines of code with various functions revolving around global hotkeys to automate countless things for me, including a lot of custom GUI stuff. It dramatically improves my quality of life in IT."
MTPuTTY (Multi-Tabbed PuTTY) is a small utility that lets you wrap an unlimited number of PuTTY applications in a single, tabbed interface. Lets you continue using your favorite SSH client—but without the trouble of having separate windows open for each instance. XeroPoints recommends it "if you have a lot of ssh sessions."
ElastiFlow is a network flow data collection and visualization tool that uses the Elastic Stack (Elasticsearch, Logstash and Kibana). Offers support for Netflow v5/v9, sFlow and IPFIX flow types (1.x versions support only Netflow v5/v9). Kindly recommended by slacker87.
SpaceSniffer is a portable tool for understanding how folders and files are structured on your disks. It uses a Treemap visualization layout to show where large folders and files are stored. It doesn't display everything at once, so data can be easier to interpret, and you can drill down and perform folder actions. Reveals things normally hidden by the OS and won't lock up when scanning a network share.
Graylog provides an open-source Linux tool for log management. Seamlessly collects, enhances, stores, and analyzes log data in a central dashboard. Features multi-threaded search and built-in fault tolerance that ensures distributed, load-balanced operation. Enterprise version is free for under 5GB per day.
Ultimate Boot CD boots from any Intel-compatible machine, regardless of whether any OS is installed on the machine. Allows you to run floppy-based diagnostic tools on machines without floppy drives by using a CDROM or USB memory stick. Saves time and enables you to consolidate many tools in one location. Thanks to stick-down for the suggestion.
MFCMAPI is designed for expert users and developers to access MAPI stores, which is helpful for investigation of Exchange and Outlook issues and providing developers with a sample for MAPI development. Appreciated by icemerc because it can "display all the folders and the subfolders that are in any message store. It can also display any address book that is loaded in a profile."
USBDeview lists all USB devices currently or previously connected to a computer. Displays details for each device—including name/description, type, serial number (for mass storage devices), date/time it was added, VendorID, ProductID, and more. Allows you to disable/enable USB devices, uninstall those that were previously used and disconnect the devices currently connected. Works on a remote computer when logged in as an admin. Thanks to DoTheEvolution for the suggestion.
WSCC - Windows System Control Center will install, update, execute and organize utilities from suites such as Microsoft Sysinternals and Nirsoft Utilities. Get all the tools you want in one convenient download!
Launchy is a cross-platform utility that indexes the programs in your start menu so you can launch documents, project files, folders and bookmarks with just a few keystrokes. Suggested by Patrick Langendoen, who tells us, "Launchy saves me clicks in the Win10 start menu. Once you get used to it, you begin wondering why this is not included by default."
Terminals is a secure, multi-tab terminal services/remote desktop client that's a complete replacement for the mstsc.exe (Terminal Services) client. Uses Terminal Services ActiveX Client (mstscax.dll). Recommended by vermyx, who likes it because "the saved connections can use saved credential profiles, so you only have to have your credentials in one place."
Captura is a flexible tool for capturing your screen, audio, cursor, mouse clicks and keystrokes. Features include mixing audio recorded from microphone and speaker output, command-line interface, and configurable hotkeys. Thanks to jantari for the recommedation.
(continued in part #2)
submitted by crispyducks to msp [link] [comments]

List of current issues in-game after 10/28/2019 update

As the dark mist starts to rise, the cold starts shivering down your spine, its a sign that Halloween is nearly upon us. Prepare your sweets for the treaters or fear their mighty trickeries!
Should you be more interested in the suggestions, you can find them here:

Suggestions

Are maps more of your thing? Fear no more! This has you covered:

Maps

You can also find the quick rundown of patched and new open issues here:

Patched and new open issues

As per usual you'll find the full list of current known issues existing within CS:GO down below. Enjoy!
 

Bugs

Gameplay related
  • Severe
    • An old one from u/3kliksphilip about fire decals and how they do not reset upon joining official MM. YouTube
    • Bullets penetrating a solid wall or prop before impacting a displacement can carry the damage through a solid distance. YouTube (Thanks u/Dinoswarleaf & for your explanation)
    • Dropped bomb and thrown grenades can block all damage if the bullet hits them. YouTube
    • Glass & other breakable objects doesn't slow down grenades if they bounce off a wall as they break it. YouTube
    • Grenades can fall through displacements if it hits a playermodel close enough to the ground. YouTube (Thanks u/xpopy)
    • Health & money will not be visible next to your name if said player uses the 'Black Star' emoji (★), 'Flowers' emoji (❀) or 'Heart' emoji (♡) infront & behind their names. YouTube
    • If you crouch while walking your inaccuracy will increase for a brief moment before it returns to normal. YouTube (Thanks u/Zoddom, special thanks to SlothSquadron & Altimor for their in-depth explanations)
    • If you hold your secondary fire while shooting any semi-automatic weapon the game will not allow you to shoot more than 1 bullet until you let go of it. YouTube (Thanks u/T-R-Key)
    • It's a struggle to pick up weapons on the ground using your '+Use' key when grenades are lying inside or next to it. YouTube
    • Player and spectator views are out of sync. YouTube (Thanks u/3kliksphilip)
    • Several grenades (entities) will not spawn if the speed of which the player travels at is greater than ~1300 units/s. YouTube (Thanks u/Darnias)
    • The Desert Eagle can recover its accuracy much faster after landing if you quickswitch before taking a shot. YouTube (Thanks u/xpopy)
    • The Hostage hitbox for grenades seems to extend far above the visible model along with allowing players to avoid the flashbang effect by hiding behind them. YouTube (Thanks CoheeBeans)
    • The Tactical Awareness Grenade can get stuck in playermodels, resulting in said player being unable to move until he either dies or uses noclip. YouTube
    • Weapons can reduce damage impacted by HE grenades if it explodes around the dropped w_model. YouTube (Thanks u/wazernet)
    • Weapons with less than 160 u/s movement speed allows you to run silently when you use either '+moveup' or '+movedown' cvars. YouTube (Thanks u/Yossssi4321)
    • When climbing down ladders the game will throw the player off if he walks into a wall, clip brush, displacement or geometry at the same time. YouTube
    • When the team on a losing streak wins a round their loss bonus will be reduced by 2 rounds instead of 1 for the first round they win, all other rounds they win after will function as intended by the CS:GO Blog post. YouTube (Thanks u/xpopy)
    • Your ability to pick up weapons around surfaces seems to be based upon which weapon you already have drawn. YouTube
    • Your head will pass through ceilings that are narrow enough if you crouch while mid-air, causing you to unintentionally give away your position. YouTube #1, YouTube #2 (Thanks u/3kliksphilip)
 
  • Less Severe
    • Ability to make a 1 way smokes anywhere by using player models as a contact point for smoke grenade to rest on while said player is standing in open flames. YouTube, Streamable (Thanks u/D8-42)
    • Chickens are able to block doors from opening the correct way. YouTube (Thanks u/chaos166)
    • Decoy, Snowball & Tactical Awareness Grenade does not count as a thrown grenade for 'sv_rethrow_last_grenade' cvar. YouTube (Thanks u/Jupiter0291)
    • Doors can be opened the wrong direction if 1 player stands in the corner it rotates from while another player opens the door as normal. YouTube
    • Dropped Smoke & Incendiary grenades both keeps rolling away on completely flat surfaces in an unspecified direction. YouTube
    • Grenadepreview for Decoy Grenade, Tactical Awareness Grenade & Snowballs shows the incorrect trajectory. YouTube
    • Grenadepreview trajectory doesn't take into account breakable surfaces. (Glass, vents, metal sheets, etc.) YouTube (Thanks u/_Lightning_Storm)
    • Having 'm_rawinput' set to '0' causes camera flicking which will force your screen to move unintentionally after you close the menu you moved your cursor around in while it was open. YouTube (Thanks u/MichaelDeets)
    • Holding your 'Secondary fire' button while reloading a shell based shotgun (Nova, Sawed-Off & XM1014) will pause the animation/reload until you let go of it. YouTube, Third-person pov (Thanks u/Nuc1eoN)
    • If a player leaves mid round his shadow will remain present on the floor until the next round begins. YouTube (Thanks u/Pimpgangsterz)
    • If a player leaves or gets kicked in either Deathmatch or Arms Race while they are currently dead their ragdoll will not despawn and instead remain present in the map for the rest of the game. YouTube
    • If a smoke grenade lands close to the ledge it will be unable to extinguish the fire. YouTube (Thanks u/xpopy)
    • If you have bound '+use' to a number from 1 through 0 it will not allow you to take control of the bot on your team that you are spectating. Even when that player is dead. YouTube (Thanks u/S1eet)
    • If you switch teams in a quick succession you'll suddenly have the wrong weapon for the wrong team in your hands. YouTube
    • Molotov, Incendiary Grenade and Firebomb doesn't explode or ignite if they land ontop of a skybox texture. YouTube
    • Players counts as a surface, allowing you to plant a floating c4 further from the ledge. YouTube (Thanks u/xEeppine)
    • You are able to shoot while picking up a hostage in both Danger Zone and Hostage Scenario. YouTube
    • You are unable to apply Graffiti to 'Prop_dynamic' surfaces. YouTube
    • You still have control over your character while you're looking at the change team screen. YouTube
 
UI related
  • Severe
    • An enemy player killing you in competitive does not show their team colour in their portrait, making communication between players that uses 'Clean Player Names' and those not using it potentially more difficult. YouTube (Thanks u/AnInconvenientAnime)
    • If you lower the volume of a player, close down the CS:GO profile and open it later to alter the player volume it will reset it back to 100%. YouTube
    • If you were typing in chat at the end of a casual mode the game will unselect the chatbox when vote screen pops up and stop you from typing until you click inside of it again. YouTube (Thanks u/jjgraph1x)
    • Other players in your lobby can see the assigned nicknames for invited friends if they are currently not on the player's friends list. YouTube (Thanks u/gpcgmr)
    • Pressing your 'Enter' key will open the last option you last selected in the main menu. This can be anything from maps to settings in your settings menu. YouTube (Thanks u/Quick_Rotation_Unit)
    • The end-game scoreboard will not display statistical changes that happens when the final player dies at the final round of the game. YouTube (Thanks u/VeNoM666)
    • The scoreboard will become stuck on screen until the user reconnects if the command 'mp_win_panel_display_time' is set to a higher value than '3'. YouTube, GitHub (Thanks u/MoeJoe111 & GitHub user borzaka!)
    • With the new 'Hide Avatar Images' and 'Clean Player Names' options comes a few issues which ruins some aspects of the intended features. Imgur
    • You are unable to type any numbers in between the slider's maximum and minimum values. If you highlight the value's field you'll also but unable to remove or type anything into the box. YouTube
    • You cannot invite a player from your friends list while in-game on official servers, community servers or your own private session. Imgur
 
  • Less Severe
    • A video showcasing rotation inconsistency in the buy menu. YouTube
    • All callouts in CS:GO are translated in certain UI elements where they shouldn't be translated. Imgur (Thanks u/FuneralChris)
    • Certain map badges are being cut on the loading screen. Imgur
    • If a player with the same colour preference as you connects to the game faster, the colour on your CS:GO profile will differ from the one visible in-game. Imgur
    • If you cancel 'Choosing Mode', the green 'Go' button will not return until you click on a map or change tabs. YouTube
    • If you enable 'cl_drawonlydeathnotices' while the MVP screen is visible, the following rounds the MVP screen will remain visible until you disable the command and either team wins another round. YouTube (Thanks u/irememberflick)
    • If you hit your 'Esc' key while being in any of the other categories the 'Dashboard' button will not automatically get highlighted. YouTube
    • If you transfer kills from one weapon to another by using the 'Stattrak Swap Tool' you'll not be able to properly choose which weapon you have equipped. YouTube (Thanks u/LummyTum & u/t0moo)
    • Items dropped during the end of a game sometimes takes up more space than intended, pushing other items out of their frame. Imgur (Thanks u/xpopy)
    • Map groups like Sigma, Delta, Hostage, etc. uses the first map as icon instead of their own respective icons for the different groups. Imgur
    • Monastery's map select is a lot bigger than the other maps in 'Vote to change map' section. Imgur
    • Player names doesn't get updated in the 'Change Team' menu unless the player changes team. YouTube
    • Player names while in a lobby doesn't update unless something in the lobby is altered. (Examples; Player changing colour, Host changing game mode/game settings, Start/cancel MM queue, etc.) YouTube (Thanks u/xpopy)
    • Player names while spectating doesn't update unless you switch back and forth between the player. YouTube
    • Pressing the 'Page up' or 'Page down' keys will make characters, certain weapons & certain cases move around the screen. YouTube (Thanks u/MysterialCZ)
    • Rewinding a demo will stack visual artifacts in the direction living players were looking. YouTube
    • Selecting the auto-sniper slot and then switching to any other weapon category in the 'Loadout' menu will not change the visible selected weapon to the first weapon from that list. YouTube
    • The Arms Race Golden Knife stage is 15, but will skip to 17 as soon as a player finishes the Golden Knife stage. YouTube
    • The Buy Zone icon will not be visible at all while you are playing as a bot. YouTube
    • The death information box position is affected by whether or not you have 'cl_draw_only_deathnotices' enabled. Imgsli
    • The different War Games does not use the already existing icons for the different gamemodes in the main menu, the War Game category itself is also without any sort of icon. Imgur
    • The end-game screen will declare the player with the most amount of points the winner of Arms Race instead of the player that finished the Golden Knife stage. YouTube
    • The end-round UI overlay seems to calculate the grenade damage by using both health and armor instead of only the health like the console & scoreboard does. YouTube (Thanks u/extraleet)
    • The letters you can enable for the 'Mini-Scoreboard' are off-centered. Imgur
    • The Molotov & Incendiary Grenade are missing an icon on the large radar overview to showcase the affected area for spectators. YouTube (Thanks u/minim0vz)
    • The radar image displayed for other players joining your group seems to precache the first checkmarked map in the selected map pool for a brief moment before loading the proper radar image. YouTube
    • The Radial Wheel is invisible when 'cl_drawonlydeathnotices' is enabled. YouTube
    • The 'Watch' tab has a refresh icon in the top-right corner for all the different pages, even the ones that cannot be refreshed. ('Majors', 'Streams' & 'Events'). YouTube
    • The time left during the halftime break can be hidden if you press your button to open the scoreboard. YouTube
    • The 'workshop_publish' and 'workshop_workbench' does not actually stop you from controlling or highlighting things behind said overlays. YouTube
    • Vote screen is not cancelled when a pending vote cannot be succeeded. If another player votes 'No' on 'Vote to kick' then it should automatically cancel the vote, rather than having to wait for everybody else to finish choosing. (Same goes for tactical timeout, scramble teams, etc. When enough players votes 'No')
    • Weapons with 'Loadout Shuffle' enabled will break the 'More' option found within the inspection menu for the stock weapons. YouTube
    • When inspecting a weapon through an 'Inspect Link' the collection for the weapon will not be visible. Imgsli
    • You are able to constantly click on the 'Dashboard' button in the main menu to make it refresh all the time, thus impacting your fps. YouTube
    • You can inspect weapons twice if you manage to click fast enough. YouTube (Thanks u/kennyscrubs)
    • You cannot scroll up or down if you hold the cursor in the middle of the last map banner you clicked. YouTube
 
Miscellaneous
  • Severe
    • Game_text size doesn't scale properly with resolutions higher than 1920x1080. YouTube, GitHub (Thanks u/drunii & all of the GitHub thread users)
    • Kevlar armor doesn't get equipped after purchase if a player is standing too far above the closest surface. YouTube (Thanks u/kingskully & u/NeenJaxd)
    • Light sources from the maps are visible through smoke, making you able to see players who happens to walk in front of them. YouTube
    • The game crashes if you change 'Game_type' or 'Game_mode' in Danger Zone while the zone has spawned and is closing off the map. YouTube
    • The round will be a draw if the Terrorist team is empty with the C4 planted and all CT's are eliminated after they disconnected. YouTube (Thanks u/coolpennywise)
    • You can make certain props invisible by corrupting the checksum for said models. GitHub (Thanks u/kkthxbye-, special thanks to Sparkles for making a great showcase video!)
 
  • Less Severe
    • Both the Aug and SG 553 overwrites the 'fov_cs_debug' values. YouTube (Thanks u/Menal226)
    • Continuously pressing your use button at the 'Practice Range' exit door will stack leave overlays ontop of each other. YouTube
    • It seems like the 'Workshop_publish' tool in CS:GO has limited character support for the description of the Workshop entry when you publish or update something compared to if you just edit the description within Steam itself after upload. YouTube
    • The console commands for sounds are maxed out at '0.6' instead of '1.0'. YouTube, Imgur (Thanks u/FuneralChris)
    • The cvar 'host_timescale' doesn't reset when disconnecting from a server. YouTube
    • When a player joins a session hosted by another player, the host will always get screen flickering for a moment for each individual player connecting to the game. YouTube
    • When you have the ability to interact with the scoreboard it won't disable the scroll wheel, making you perform whatever action you have bound to it. YouTube
    • You are unable to spawn the P2000 through the console unless you have it chosen as a pistol in your weapon loadout. YouTube
    • You are unable to use a controller to navigate Panorama UI, even though the Steam Store Page says CS:GO has 'Full Controller Support'. YouTube, Imgur (Thanks u/Rivitur)
 

Visuals

Gameplay related
  • Severe
    • Certain knives will make the edge of your viewmodel pop into view. YouTube
    • Negev & M249 has bugged draw animations when they don't have any reserve ammo left. YouTube (Thanks to Telsaah)
    • Picking up the same weapon will not remove any applied stickers from the old weapon that are present. YouTube (Thanks u/Nuc1eoN)
    • Pistols that have run out of bullets will not have the chamber open if you switch your gun back and forth or start inspecting said weapon after it has been emptied. YouTube (Majority of the pistols that are designed to stay open doesn't even let the chamber stay open to begin with)
    • The decals from firing a Zeus x27 will be visible if you switch weapons quick enough after you've taken the initial shot from an AWP for instance. YouTube
    • The Desert Eagle does not eject a shell for its final shot in the clip. YouTube (Thanks u/poke5555, ZooL's explanation)
    • The particle effects for shooting different surfaces does not work well with distances, if you start shooting far away they won't work on close distance and vise versa. YouTube (Thanks u/3kliksphilip)
    • You are able to see the muzzle flash from another player through a solid wall if he stands close enough. YouTube (Thanks u/CONE-MacFlounder)
 
  • Less Severe
    • A few weapons does not cycle their inspect animation properly. YouTube
    • Any weapon will glitch out if you switch from one weapon while holding primary fire and let go of it when your second weapon is drawn. (Only works on servers where you are not host) YouTube (Thanks u/xdavidy)
    • Arm clips through the jacket sleeves when certain knives & weapons are drawn. Imgur Knives, Imgur Weapons
    • Hand clips through jacket sleeves when either Bayonet, Butterfly or Flip knife is drawn. YouTube
    • Mac-10 shows bullets in the chamber when there are none left in the clip. YouTube (Thanks u/-ZooL-)
    • Stickers doesn't reflect their wear properly on the world model for weapons. YouTube (Thanks u/Klemenjecar)
    • The Beretta that is being carried in the holster does not have your current skin applied to it. Imgur
    • The 'Breach Charge' and 'Bare Fists' draw animations feels a bit lackluster compared to the other weapons in CS:GO. YouTube
    • The CT's draw SMG's from their back in third-person, although they carry all SMG's on their chest. YouTube
    • The Dual Berettas should be excluded from the 'viewmodel_offset_x' cvar as it doesn't take both pistols into account. Imgur (Thanks u/jayfkayy)
    • The fire effect from molotovs will be visible at the bottom of your screen when lit. YouTube
    • The Golden knife draw animation is misaligned. YouTube
    • The Golden knife only has a T variant for the w_model, while the material used for the hud is from the stock CT knife. The knife is also not placed properly in the player's hand in third-person mode. YouTube, Imgur
    • The inspect animation for Talon Knife will bug out if you hold primary and secondary fire on any grenade prior to switching to the knife. YouTube (Thanks u/KnightyCS)
    • The M4A1-S has its safety enabled. YouTube (Thanks u/-ZooL-)
    • The SSG 08 hands are not properly connected to the weapon's stock. Imgur (Thanks u/jayfkayy)
    • The suppressors on both USP-S and M4A1-S seems to mirror its start and end positions when the attach/detach animations start & end. YouTube
    • The unsuppressed M4A1-S does not have texture on the inside of the barrel. Imgur
    • Weapons will flick at end of their inspect animation if you hit your reload button while you were inspecting it. YouTube
 
UI related
  • Severe
    • A hud element to showcase whether a weapon is in burst or automatic mode is missing from the simplistic hud style. Imgur (Thanks u/BearCorp)
    • Generating a 'Nav Mesh' for your map will not display any progress from Panorama UI in-game. YouTube (Thanks u/3kliksphilip)
    • Suiciding after getting hit by a player will make your name appear grey instead of your respective team colour in the killfeed. YouTube, Imgur
    • The animations are misaligned when showing/hiding your Wingman & Danger Zone rank. YouTube
    • The button you use to open change teams menu with is unable to close said menu. YouTube
    • The lobby chat cuts in half if the right panel is extended while 'Confirm Match' screen pops up. Imgur (Thanks u/RekrabAlreadyTaken & u/Rise_Of_War7)
    • The new 'Victory' marks are missing their handles. Imgur
    • The radar overview rotation smoothness after panorama release is tied to the server's tickrate. YouTube (Thanks u/lemuelkl & u/4wh457)
    • When taking control of a bot, all purchases or kill rewards will not be reflected properly to the bot's economy until after the round has ended. YouTube (Thanks u/sracelga)
 
  • Less Severe
    • A compilation of remaining weapon inspect issues I've noticed. Imgur
    • A few guns that changes view for certain stickers will flash on the screen for a brief moment before the animation starts. YouTube
    • A few of the maps that uses the old 'Radar Overview' style have yellow dots smeared over it when loading into the map. Imgur
    • A few of the options in the settings menu does not get highlighted when you hover your cursor over them. YouTube
    • Certain 'Profile Rank' names are too long and will appear behind the rank icon itself on the level up screen. Imgur
    • Clicking the 'Next position' button while the gun is rotating will make the gun skip its animation. YouTube
    • Hud, radar, radar names, etc. are all visible in the Panorama buy menu, whereas previously in SFUI it was not visible and looked cleaner. Imgsli
    • Selecting 'Search for item' doesn't automatically highlight the field so you can type anything right away. YouTube
    • Shadow daggers have an odd inspect panning. YouTube
    • Some languages with longer or shorter text have the information icon move while switching between burst fire and semi-auto mode. YouTube
    • The animation for 'Float Value' and 'More' option is delayed when going back to the weapon from playermodel view in the inspection window. YouTube
    • The blinking red light around the radar after bomb has been planted does not respect the host_timescale speed. YouTube (Thanks u/dryestfall2345)
    • The button able to let you borrow/stop borrowing other player's music kits are automatically closing the CS:GO profile when you click it instead of doing what 'Block communication' does. YouTube
    • The button allowing you to borrow a music kit has 2 different sizes to their icons. Imgsli
    • The character select frames are not fully transparent. YouTube
    • The end-game screen statistics for your total victories and rank are located at different positions when ranking up compared to simply finishing a game. Imgsli
    • The hud elements to showcase a player's flash duration for spectators are absent from Panorama UI. YouTube (Thanks u/VicNDF)
    • The image for majority of the stock weapons are positioned differently than the aftermarket ones. YouTube
    • The images for Name Tag, Stattrak Swap Tool, Case Key, Cases, etc. feels very low-res for Panorama UI's standards. Imgur
    • The inspect panning for a lot of the 'Collector Items' (Major Trophies & Coins) are wrong. YouTube
    • The loadout section of the UI has some buggy properties to it, wrong team being shown, flashy weapon icons when clicking same weapon/team over and over, no sound when switching between the two team loadouts, etc. YouTube
    • The location of money while you're in the buy menu is not in the same location as it was before you entered. Imgsli
    • The 'Looking to play' button doesn't have the fade in/out effect the rest of the buttons in the main menu have. YouTube (Thanks u/solar-titan)
    • The MP5-SD and MP7 can rotate 360° when applying a sticker, while any other weapon has limited view. YouTube
    • The names are cut off on MVP screen if they're too long, whereas before on SFUI they were not. Imgsli
    • The player profiles for your allies and friends found in 'Your Matches' positions itself in the wrong area when the match isn't the latest one, while it does the opposite when its in 'Downloaded' and affects every single player that was present in that match. YouTube
    • The rank up animation for both skill group and profile XP haven't had its background effects fully transparent ever since Panorama was released. The icon for the Profile XP also does not properly move into its intended position. YouTube
    • The social feature icons are appearing and disappearing instantly when you close or open the sidebar instead of smoothly fading in and out. YouTube
    • The team equip icon for Graffiti, Music kit & Medals shows only the CT icon in Panorama instead of the generic grey one that existed in SFUI. Imgur
    • The 'Watch' tab doesn't use the new Dust II icon. Imgur
    • With the Sirocco update it seems as if the visual artifacts that were initially fixed on the 3/13/19 update has returned on a few of the rank icons. Imgur
    • You can see spectator only features after the warm up has ended if you previously had the scoreboard open before the game started. YouTube
    • Your pins will disappear and reappear while changing your competitive team colour. YouTube
    • You're unable to interact with Music kits the same way you can do with medals while inspecting. YouTube
 

Sounds

Gamplay & UI related
  • Severe
    • Certain surface sounds will default back to concrete on dedicated servers (Valve hosted & Community hosted), while in private server hosted through a player the sounds works as intended. YouTube, Imgur
    • The falloff distance at which you cannot hear someone pick up a hostage seems to be near non-existent. YouTube
    • The grenade ear ringing sound you hear when affected by certain grenades ignores whether you are tabbed into the game or not. YouTube (Thanks u/extraleet)
    • The Terrorists are unable to announce that they're a throwing an incendiary grenade. YouTube (Thanks u/nicemelbs)
    • The 'Tools Clip' brush doesn't make sounds when the C4 lands ontop of it. YouTube
    • Third-person sound does not play when you attach/detach a suppressor. YouTube
    • You can hear the breathing from the hostage as if you were carrying him, even though you're not. YouTube
 
  • Less Severe
    • Changing lobby join permissions doesn't give the user a sound notification. YouTube
    • Continuously clicking on maps or map groups will generate a sound, even for maps & map groups that cannot be unselected. YouTube
    • Graffiti sound doesn't play properly for the player that applies it if he switches weapons, reloads a weapon or scope with any sniper while its playing. YouTube
    • If you inspect a music kit in the main menu while you queue for a match it will alter the 'Main Menu Volume' setting as your client starts connecting to the match. YouTube (Thanks u/Sagurii)
    • Music Kits you can preview from the main menu only plays the music in the right speaker instead of both. YouTube
    • Opening steam overlay with overlay music at 0 will stop the music and start it from the beginning instead of pausing/resuming. YouTube
    • The character voice lines for some models does not play in the main menu when you select them. YouTube
    • The out of bullets sound plays the same way on semi-automatic, burst fire and bolt action rifles like it does with fully automatic weapons. YouTube
    • The sound when selecting the different tabs in 'Watch' will also make the refresh sound at the same time in 'Your Matches', 'Downloaded' & 'Live'. (I'd also like to suggest making the refresh sound for 'Your Matches' & 'Downloaded' the same as 'Live' because its easier on the ears) YouTube
    • The turrets in Danger Zone has an M249 as a model, but the sound it plays while firing is from the Mac-10. YouTube (Thanks u/-ZooL-)
    • Throwing a firebomb uses the wrong announcement voice line, instead of the normal incendiary/molotov one it uses the one intended for HE grenades. YouTube
 

Holidays

  • Halloween
    • A ghost counts as a surface and will lower the damage output of weapons if they stand in front of you or your enemies while bullets are being traded. YouTube
    • If you climb a ladder as a ghost you'll lose the lower gravity you originally gained from becoming a ghost. YouTube (Thanks u/charlocharlie)
    • If you fall off certain maps as a living player you'll bypass the death barrier that's supposed to force ghosts into spectator mode. YouTube (Thanks u/3kliksphilip)
    • If you switch teams while you're a ghost, you'll suddenly have the freedom of spectator mode as a ghost. YouTube
    • The Spectral Shiv does not have an icon anywhere on the hud. Imgur
    • The Spectral Shiv doesn't have a complete w_model, which results in error messages around a player if he picks one up and holsters it. YouTube
    • The Spectral Shiv is invisible if it gets dropped as there is no '_dropped worldmodel'.
 
  • Winter Wonderland
    • Having Snowballs and HE Grenade in your utility will make you unable to properly scroll through your grenades as they currently share the same slot. YouTube #1, YouTube #2
    • The size of the snowball in third-person is a lot larger than what seems intended. YouTube
    • You are able to pick-up snowballs in competitive mode as long as the map is snow themed & the server has the correct holiday enabled. YouTube
    • Your own snowball makes an impact sound if it hits too close to yourself. YouTube (Thanks u/3kliksphilip)
 

Danger Zone

  • Gameplay
    • Hostages in Danger Zone should have a different outfit so they cannot be confused for a player at longer distances. YouTube (Thanks u/SibUniverse)
    • If you restart a custom Danger Zone mode without changing the map all players will be unable to choose a starter perk. YouTube
    • The new Danger Zone melee weapons (Spanner, Axe & Hammer) all uses the normal knife hitbox for impact when throwing the different melee weapons. (Thanks Afro-Sam for showcasing this)
    • You are unable to pick up ammo from ammo boxes if utility like kevlar vest is nearby. YouTube (Thanks u/TheCrazyabc)
    • You can throw melee weapons like Axe, Hammer & Spanner instantly while attacking if you hold secondary fire while using the primary fire. YouTube
    • You still have control over your character to jump, crouch and rotate even when you are in 'Drone Pilot' mode. YouTube
 
  • UI
    • Several item descriptions are taking up space over the map instead of using the available room on the right side of the screen. YouTube
    • The 'Automated Sentry' does not have their own respective UI element for killing a player, instead it'll be shown as a suicide. Imgur
    • The location of money in Danger Zone is higher up on the screen when you have no enemy counter compared to its usual location with the enemy counter present. Imgsli
    • When scoping in with sniper rifles the Danger Zone effect on your screen will not be visible. YouTube (Thanks u/Badshah57)
 
  • Visuals
    • A dropped tablet does not showcase whether or not it has the 'Drone Pilot' upgrade. Imgur
    • The Axe, Hammer & Spanner shakes the camera unpleasantly much & the animation does not loop well. YouTube (Thanks u/jjgraph1x)
 
With all of this said, I would like to applaud the CS:GO devs for their constant support to the game over the years ever since the original release back in 2012. I am very excited to see what they have planned for the future!
Keep up the incredible work and Happy Gaming! :D
submitted by bonna_97 to GlobalOffensive [link] [comments]

automation anywhere community edition client download video

Automation Anywhere empowers people whose ideas, thought and focus make the companies they work for great. We deliver the world’s most sophisticated Digital Workforce Platform making work more human by automating business processes and liberating people. Automation Anywhere Enterprise Client Setup; So, if you follow the below steps, you should be able to download and install Automation Anywhere on your Operating Systems, completely hassle-free. Lets, get started. Before, I tell you how to go forward with Automation Anywhere Installation, let me mention the pre-requisites for the installation. I have the control room url all set up but How how do I download the automation anywhere community edition client to my Desktop, Please tell whether you provide it or not so that I will be clear on what you are offering How to Migrate your Bots from version 11 to A2019 in Community Edition [Archived on May 8, 2020] In this video, we will walk you through step-by-step on how to migrate your bots from version 11 to A2019 in Community Editio ... Automation Anywhere empowers people whose ideas, ... Get access to Community Edition, SDKs, APIs, and more. Engage. Participate in a vibrant RPA developer community. Earn. ... 2021 A-Lister program is looking for passionate thought leaders who can engage, guide, and share experiences with our Automation Anywhere developer community. Top 5 New Features in Enterprise A2019.18 . Enterprise A2019.18 ... Install and configure the newest release of Automation Anywhere Enterprise A2019. Web-based and Cloud-Native Community Edition. Community Edition use by small businesses. An organization is considered a ‘small business’ only if: 1) your organization has less than 250 machines (physical or virtual), 2) your organization has less than 250 users or 3) your organization has less than $5 million US in annual revenue. Learn Advanced Dot Net Technologies,Learn RPA online, UiPath,Blue Prism,rpa online free,C# ASP.NET, Automation Anywhere User Manual PDF Prerequisites. Verify the Enterprise client prerequisites are met. Enterprise Control Room. Verify Enterprise Control Room is installed and users are created. Upgrading. Enterprise client is older than Version 11.3. Uninstall the older Enterprise client before installing the new Enterprise client.. For example, if your current Enterprise client is version 10.x or 11.2.x, uninstall your ... I am able to log-in fine to the Control Room for my AA Community Edition. I can also edit and create Task Bots through the cloud/browser-based Control Room. However, I would like to download the desktop client which includes more advanced commands within the Workbench and I can't seem to figure out how to download the AA desktop client.

automation anywhere community edition client download top

[index] [7920] [4309] [1676] [9611] [6424] [2189] [8689] [4469] [3950] [4690]

automation anywhere community edition client download

Copyright © 2024 top100.realmoneygames.xyz