Apa format resume examples

On the map wherever I taps on the animation just triggers what should I do

2024.05.15 07:26 HungryBar3834 On the map wherever I taps on the animation just triggers what should I do

import 'dart:convert'; import 'package:fluttematerial.dart'; import 'package:flutter_map/flutter_map.dart'; import 'package:flutter_map_marker_clusteflutter_map_marker_cluster.dart'; import 'package:latlong2/latlong.dart'; import 'dart:ui' as ui; import 'dart:typed_data'; import 'package:http/http.dart' as http; import 'package:testingmap/cluster_test.dart/animation.dart';
void main() { runApp(const MyApp()); } class MyApp extends StatelessWidget { const MyApp({super.key}); @override Widget build(BuildContext context) { return const MaterialApp( home: MapScreen(), ); } } class MapScreen extends StatefulWidget { const MapScreen({super.key}); @override _MapScreenState createState() => _MapScreenState(); } class _MapScreenState extends State { List shops = []; late Map markerIcons; bool isLoading = false; String error = ''; late SlideUpWidget slideUpWidget; late VoidCallback toggleSlideUp; @override void initState() { super.initState(); markerIcons = {}; fetchShops(); slideUpWidget = SlideUpWidget( child: Container( height: 200, decoration: BoxDecoration( color: Colors.red, borderRadius: BorderRadius.only( topLeft: Radius.circular(20), topRight: Radius.circular(20), ), ), child: Center( child: Text( 'Shop Information', style: TextStyle(color: Colors.white, fontSize: 18), ), ), ), ); toggleSlideUp = slideUpWidget.createState().toggle; } Future fetchShops() async { setState(() { isLoading = true; error = ''; }); const token = "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJpZCI6NTQsImlhdCI6MTcxMzIzMjQwOCwiZXhwIjoxNzI2MTkyNDA4fQ.hdJsGEMYRAAEs5y6RERuT2TNJTBUITkWy-7FarMc_C4"; // Replace with your actual token try { final response = await http.get( Uri.parse('https://api.carcare.mn/v1/shop'), headers: {'Authorization': 'Bearer $token'}, ); if (response.statusCode == 200) { final jsonData = json.decode(response.body)['data']; if (jsonData != null) { setState(() { shops = jsonData.map((data) => Shop.fromJson(data)).toList(); }); await loadMarkerIcons(); } else { setState(() { shops = []; }); } } else { setState(() { error = 'Failed to load shops (${response.statusCode})'; }); } } catch (e) { setState(() { error = 'Error fetching data: $e'; }); } finally { setState(() { isLoading = false; }); } } Future getMarkerIcon(String imageUrl) async { try { final response = await http.get(Uri.parse(imageUrl)); if (response.statusCode == 200) { return response.bodyBytes; } else { print('Failed to load image: ${response.statusCode}'); return null; } } catch (e) { print('Error loading image: $e'); return null; } } Future loadMarkerIcons() async { for (var shop in shops) { Uint8List? markerIcon = await getMarkerIcon(shop.thumbnail); if (markerIcon != null && markerIcons[shop.id]!.isNotEmpty) { markerIcons[shop.id] = markerIcon; } else { markerIcons[shop.id] = await MarkerGenerator.defaultMarkerBytes(); } } setState(() {}); } @override Widget build(BuildContext context) { List markers = shops.map((shop) { return Marker( width: 80, height: 80, point: LatLng(shop.location.latitude, shop.location.longitude), child: GestureDetector( onTap: toggleSlideUp, child: Container( child: markerIcons[shop.id] != null && markerIcons[shop.id]!.isNotEmpty ? Image.memory(markerIcons[shop.id]!) : Icon(Icons.location_on, color: Colors.red), ), ), ); }).toList(); return Scaffold( appBar: AppBar( title: const Text('Map with Markers'), ), body: Stack( children: [ isLoading ? Center(child: CircularProgressIndicator()) : FlutterMap( options: MapOptions( initialCenter: LatLng(47.9187, 106.917), initialZoom: 10, ), children: [ TileLayer( urlTemplate: 'https://tile.openstreetmap.org/{z}/{x}/{y}.png', userAgentPackageName: 'com.example.app', ), MarkerClusterLayerWidget(options: MarkerClusterLayerOptions( markers: markers, builder: (context, markers) { return Container( width: 80, height: 80, decoration: BoxDecoration( shape: BoxShape.circle, color: Colors.blue, ), child: Center( child: Text( markers.length.toString(), style: TextStyle(color: Colors.white), ), ), ); }, ),) ], ), slideUpWidget, ], ), ); } } class Shop { final int id; final String name; final String description; final String phone; final String type; final List additional; final String thumbnail; final List bannerImages; final List branches; final List schedules; final Location location; final List services; Shop({ required this.id, required this.name, required this.description, required this.phone, required this.type, required this.additional, required this.thumbnail, required this.bannerImages, required this.branches, required this.schedules, required this.location, required this.services, }); factory Shop.fromJson(Map? json) { return Shop( id: json?['id'] ?? 0, name: json?['name'] ?? '', description: json?['description'] ?? '', phone: json?['phone'] ?? '', type: json?['type'] ?? '', additional: List.from(json?['additional'] ?? []), thumbnail: json?['thumbnail'] ?? '', bannerImages: (json?['bannerImages'] as List?) ?.map((bannerImage) => BannerImage.fromJson(bannerImage)) .toList() ?? [], branches: List.from(json?['branches'] ?? []), schedules: List.from(json?['schedules'] ?? []), location: Location.fromJson(json?['location'] ?? {}), services: List.from(json?['services'] ?? []), ); } } class BannerImage { final int id; final String name; final String path; final String fileMimeType; final int fileSize; final int fileWidth; final int fileHeight; BannerImage({ required this.id, required this.name, required this.path, required this.fileMimeType, required this.fileSize, required this.fileWidth, required this.fileHeight, }); factory BannerImage.fromJson(Map json) { return BannerImage( id: json['id'] ?? 0, name: json['name'] ?? '', path: json['path'] ?? '', fileMimeType: json['fileMimeType'] ?? '', fileSize: json['fileSize'] ?? 0, fileWidth: json['fileWidth'] ?? 0, fileHeight: json['fileHeight'] ?? 0, ); } } class Location { final int id; final double longitude; final double latitude; final String address; final dynamic city; final dynamic country; final dynamic province; final dynamic subProvince; final dynamic street; Location({ required this.id, required this.longitude, required this.latitude, required this.address, this.city, this.country, this.province, this.subProvince, this.street, }); factory Location.fromJson(Map json) { return Location( id: json['id'] ?? 0, longitude: json['longitude'] ?? 0.0, latitude: json['latitude'] ?? 0.0, address: json['address'] ?? '', city: json['city'], country: json['country'], province: json['province'], subProvince: json['subProvince'], street: json['street'], ); } } class MarkerGenerator { static Future defaultMarkerBytes() async { final recorder = ui.PictureRecorder(); final canvas = Canvas(recorder, Rect.fromPoints(Offset(0, 0), Offset(100, 100))); final paint = Paint()..color = Colors.red; canvas.drawCircle(Offset(50, 50), 50, paint); final picture = recorder.endRecording(); final img = await picture.toImage(100, 100); final byteData = await img.toByteData(format: ui.ImageByteFormat.png); return byteData!.buffer.asUint8List(); } } 
submitted by HungryBar3834 to flutterhelp [link] [comments]


2024.05.15 07:17 Independent-Ad-3676 [Online][5thEd][EST][Campaign] Two games open! Curse of Strahd, She is the Ancient and Tyranny of Dragons!

Hey there my names Jordan! I currently have two games that I'm looking for players for! I have a Curse of Strahd, She is the Ancient, game at 8pm EST on Tuesdays and a modified Tyranny of Dragons game at 8pm EST on Thursdays! Both of these are modules I love and am very familiar with, I've put a lot of personal touch into making improvements to the modules to build on their flavor and I weave in the player character's backstories to enhance the flow of the narrative. Currently have 4 players for Curse of Strahd and 1 in Tyranny of Dragons, looking for 4-6 total in each! Check out the games here! https://startplaying.games/gm/mrjordan
Curse of Strahd now has 4 players so we'll be looking to start Session Zero next week! If you want in nows the best time!
I offer a unique "online-inperson" format. I haven't seen anyone else use this which is pretty exciting. All characters and enemies are 3D printed and painted minis placed on a tv screen and streamed through discord via webcam. This is optional of course as Roll20 is utilized for rolling and tracking character sheets, same as any other online game, I just like this for an added layer of unique play! If your curious what this looks like feel free to hop in the discord where I have example images posted! https://discord.gg/fWZuCvK9rx
Reach out if you're interested or have any questions I'd love to have ya!
submitted by Independent-Ad-3676 to lfgpremium [link] [comments]


2024.05.15 07:11 ili283 Favourite wargame to watch battle reports for?

Hello! After spending a few weeks looking up different game systems (Battletech, X-wing, Malifaux, Shatterpoint etc) it's become increasingly obvious that "fun to spectate" and "fun to play" are quite different beasts.
Some games work really well in the youtube format, either due to the game length, the thematic action or the low downtime between active actions.
In some cases a game can work if it becomes heavily edited down (Season of War battle reports for Age of Sigmar are a good example of this I think), whereas unedited gameplay would be dull beyond belief.
For me personally I think Infinity really works as far as battle reports are concerned. There's always action going on, every encounter is a potential disaster with the low wound count and high lethatlity, clear objectives for the game, and the way terrain works in Infinity makes the battlefields pleasing to the eye.
On the flip side there are some games that don't work at all for me in this format, classic Battletech for example about half the time is spent looking at damage charts.
What do you enjoy watching?
submitted by ili283 to wargaming [link] [comments]


2024.05.15 07:01 DocWatson42 The List of Lists/The Master List

My lists are always being updated and expanded when new information comes in—what did I miss or am I unaware of (even if the thread predates my membership in Reddit), and what needs correction? Even (especially) if I get a subreddit or date wrong. That also includes new lists that you think I should create. (Note that, other than the quotation marks, the thread titles are "sic". I only change the quotation marks to match the standard usage (double to single, etc.) when I add my own quotation marks around the threads' titles.)
The lists are in absolute ascending chronological order by the posting date, and if need be the time of the initial post, down to the minute (or second, if required—there are several examples of this). The dates are in DD MMMM YYYY format per personal preference, and times are in US Eastern Time ("ET") since that's how they appear to me, and I'm not going to go to the trouble of converting to another time zone. They are also in twenty-four hour format, as that's what I prefer, and it saves the trouble and confusion of a.m. and p.m. Where the same user posts the same request to different subreddits, I note the user's name in order to indicate that I am aware of the duplication.
I compile my lists manually, from what shows up in my feed. I choose what interests me (thus the low incidence of romance—I'm not a fan of the literary genre, though I'm fine with the theme, and like romantic movies—and of pure horror, and the preponderance of science fiction/fantasy lists, as well as the large portion of nonfiction), and questions that are asked repeatedly.
Thread lengths: longish (50–99 posts)/long (100–199 posts)/very long (200–299 posts)/extremely long (300–399 posts)/huge (400+ posts) (though not all threads are this strictly classified, especially ones before mid?-2023, though I am updating shorter lists as I repost them); they are in lower case to prevent their confusion with the name "Long" and are the first notation after a thread's information.
booklists, the sub that hosted my lists, went private on or before Sunday 29 October 2023, so all of my lists at the time were blocked, though I have another home for them. That's the sub Recommend_A_Book (with one or two exceptions).
:::
Recurring Reddit Topics (alphabetized with one exception)
Books
Nonfiction
Fiction
Anime
If you are looking for something to watch, use the What to Watch? flair search first
submitted by DocWatson42 to Recommend_A_Book [link] [comments]


2024.05.15 06:36 drakashgoel1 How can sports injury surgery help athletes recover and return to their sport?

Sports injury surgery plays a crucial role in helping athletes recover and return to their sport by addressing significant injuries that may not heal properly with conservative treatments alone. Here's how it helps:
1. Repairing Damaged Tissues : Surgery can repair torn ligaments, tendons, muscles, and cartilage that are common in sports injuries. For example, procedures like ACL reconstruction can restore stability to the knee after a ligament tear.
2. Restoring Functionality : Surgery aims to restore the normal function of the injured body part. This may involve realigning bones, repairing joints, or removing damaged tissue to allow for proper movement and function.
3. Reducing Pain : By addressing the underlying cause of pain, surgery can provide relief to athletes who have been dealing with chronic pain due to their injury. This enables them to engage in rehabilitation more effectively.
4. Facilitating Rehabilitation : Surgery often precedes a structured rehabilitation program. Surgeons and physical therapists work together to create personalized rehabilitation plans that gradually reintroduce movement, strength training, and sport-specific exercises to rebuild strength and flexibility.
5. Preventing Further Damage : Left untreated, some sports injuries can lead to further damage or complications. Surgery can help prevent these issues by addressing the root cause of the injury and stabilizing the affected area.
6. Expediting Recovery : While surgery itself requires a recovery period, once healed, athletes can often return to their sport more quickly and with better outcomes compared to non-surgical treatments alone. This is especially true for injuries that require immediate stabilization or repair.
7. Improving Long-Term Outcomes : Successful sports injury surgery can have lasting benefits, allowing athletes to resume their sport at pre-injury levels of performance while reducing the risk of future complications or re-injury.
However, it's important to note that surgery is not always the first or only option for sports injuries. Many injuries can be effectively treated with conservative measures such as rest, physical therapy, and medication. The decision to undergo surgery should be made in consultation with medical professionals, taking into account factors such as the severity of the injury, the athlete's goals and expectations, and the potential risks and benefits of surgery.
submitted by drakashgoel1 to u/drakashgoel1 [link] [comments]


2024.05.15 06:34 DocWatson42 SF/F: Monster Hunting/Ghost Busting

My lists are always being updated and expanded when new information comes in—what did I miss or am I unaware of (even if the thread predates my membership in Reddit), and what needs correction? Even (especially) if I get a subreddit or date wrong. (Note that, other than the quotation marks, the thread titles are "sic". I only change the quotation marks to match the standard usage (double to single, etc.) when I add my own quotation marks around the threads' titles.)
The lists are in absolute ascending chronological order by the posting date, and if need be the time of the initial post, down to the minute (or second, if required—there are several examples of this). The dates are in DD MMMM YYYY format per personal preference, and times are in US Eastern Time ("ET") since that's how they appear to me, and I'm not going to go to the trouble of converting to another time zone. They are also in twenty-four hour format, as that's what I prefer, and it saves the trouble and confusion of a.m. and p.m. Where the same user posts the same request to different subreddits, I note the user's name in order to indicate that I am aware of the duplication.
Thread lengths: longish (50–99 posts)/long (100–199 posts)/very long (200–299 posts)/extremely long (300–399 posts)/huge (400+ posts) (though not all threads are this strictly classified, especially ones before mid?-2023, though I am updating shorter lists as I repost them); they are in lower case to prevent their confusion with the name "Long" and are the first notation after a thread's information.
Books:
Related:
submitted by DocWatson42 to Recommend_A_Book [link] [comments]


2024.05.15 06:31 DocWatson42 SF/F: Erotica

My lists are always being updated and expanded when new information comes in—what did I miss or am I unaware of (even if the thread predates my membership in Reddit), and what needs correction? Even (especially) if I get a subreddit or date wrong. (Note that, other than the quotation marks, the thread titles are "sic". I only change the quotation marks to match the standard usage (double to single, etc.) when I add my own quotation marks around the threads' titles.)
The lists are in absolute ascending chronological order by the posting date, and if need be the time of the initial post, down to the minute (or second, if required—there are several examples of this). The dates are in DD MMMM YYYY format per personal preference, and times are in US Eastern Time ("ET") since that's how they appear to me, and I'm not going to go to the trouble of converting to another time zone. They are also in twenty-four hour format, as that's what I prefer, and it saves the trouble and confusion of a.m. and p.m. Where the same user posts the same request to different subreddits, I note the user's name in order to indicate that I am aware of the duplication.
Thread lengths: longish (50–99 posts)/long (100–199 posts)/very long (200–299 posts)/extremely long (300–399 posts)/huge (400+ posts) (though not all threads are this strictly classified, especially ones before mid?-2023, though I am updating shorter lists as I repost them); they are in lower case to prevent their confusion with the name "Long" and are the first notation after a thread's information.
For romance books, you can also try romancebooks, as well as Help a Bitch Out, the Romance Novel Book Sleuth group on Goodreads, and romance.io "(the filters are your friend!)" (per romancebooks).
ScienceFictionRomance (possibly)
Romance_for_men's Books with Romance for Men (spreadsheet; multiple subgenres)
Erotica tags at the ISFDB
Pornography tags at the ISFDB
Threads:
Books:
Circlet Press—small publishing house
Phil Foglio:
Books (of which I am aware):
Anne Rice (as mentioned by u\mgonzo):
submitted by DocWatson42 to Recommend_A_Book [link] [comments]


2024.05.15 06:23 superspydo Lots and lots and lots of Text

It is normal to use Power BI as a 'dashboard'. However, my assignment is to use Power BI with data source is nothing but text. The data here is just an example that I made up while typing this.
Each teacher will have an update per class. They update things like: chapters that we have studied, chapters being explained, students engagement and highlight on problems. As you can imagine: english teacher writes nicely and clearly, Maths teacher write too short but can't understand, science teachers is in between (depend on her mood) and don't get me started on art teacher (like writing a book).
They update this on their own excel file. I upload and combine them into table format. The principle can select the class level and will be able to see all updates per subjects (english, maths, science, arts) on 4 columns (what's studied, current study, engagement level, problems).
There is a max I can do to beautify the table. But the number of columns, the text after text after text - simply means I can get different user experience on different day of the week.
Other visualization:
Any brilliant ideas guys? Otherwise, my 'sexy table' is the max I can do
submitted by superspydo to PowerBI [link] [comments]


2024.05.15 06:16 dippatel21 Google released AI model explorer! check it out!

Google released AI model explorer! check it out!
Model Explorer is a powerful graph visualization tool that helps one understand, debug, and optimize ML models. It specializes in visualizing large graphs in an intuitive, hierarchical format, but works well for smaller models as well.
Google introduce Model Explorer, a novel graph visualization solution that can handle large models smoothly and visualize hierarchical information, like function names and scopes. Model Explorer supports multiple graph formats, including those used by JAX, PyTorch, TensorFlow and TensorFlow Lite. Developed originally as a utility for Google researchers and engineers, Model Explorer is now publicly available as part of our Google AI Edge family of products.
Try it out on Google colab: https://github.com/google-ai-edge/model-exploreblob/main/example_colabs/quick_start.ipynb
https://i.redd.it/xbxog6ooli0d1.gif
submitted by dippatel21 to languagemodeldigest [link] [comments]


2024.05.15 06:16 DocWatson42 SF/F and ___

This is my catchall list, for interesting and specific speculative fiction recommendations that don't have another home. Recommendations may be moved to another list (say, a new one) without notice.
My lists are always being updated and expanded when new information comes in—what did I miss or am I unaware of (even if the thread predates my membership in Reddit), and what needs correction? Even (especially) if I get a subreddit or date wrong. (Note that, other than the quotation marks, the thread titles are "sic". I only change the quotation marks to match the standard usage (double to single, etc.) when I add my own quotation marks around the threads' titles.)
The lists are in absolute ascending chronological order by the posting date, and if need be the time of the initial post, down to the minute (or second, if required—there are several examples of this). The dates are in DD MMMM YYYY format per personal preference, and times are in US Eastern Time ("ET") since that's how they appear to me, and I'm not going to go to the trouble of converting to another time zone. They are also in twenty-four hour format, as that's what I prefer, and it saves the trouble and confusion of a.m. and p.m. Where the same user posts the same request to different subreddits, I note the user's name in order to indicate that I am aware of the duplication.
Thread lengths: longish (50–99 posts)/long (100–199 posts)/very long (200–299 posts)/extremely long (300–399 posts)/huge (400+ posts) (though not all threads are this strictly classified, especially ones before mid?-2023, though I am updating shorter lists as I repost them); they are in lower case to prevent their confusion with the name "Long" and are the first notation after a thread's information.
submitted by DocWatson42 to Recommend_A_Book [link] [comments]


2024.05.15 06:15 ZaneIsOp Need Advice idk what I should do.

Hi all, im a somewhat new grad (May 2023, so not really THAT recent tbh) and Ive been interning at a small but seemingly successful company that specializes in education tool software (Tools for blackboard, d2l, canvas). Besides me there are 2 fullstack devs and one front end. We Work with python django and react.
Ive been applying to other places and no luck im about to give up tbh, but besides the dooming, I am debating if I want to ask for a small pay bump, I get 14 hourly and it sucks and makes me feel like shit, especially as someone who has a degree. All i have been doing is writing integration tests and doing some UI fixes with internal company dashboards.
How long do you guys think I should tough it out before giving up? How long before I could get hired in? I want to get my life on track and try to tough it out, but I want benefits and be fulltime. I am severly depressed and I am losing motivation to do anything, I also feel like im being taken advantage of doing meaningless work outside of making unit/intergration test since they never did any of that yet. They say I have chops and want to keep me around (Random aside but I was put on a pip earlier this year, I had to let my dog go and it just thew me into a depression, still not over it tbh but I have improved easily because it was only 1 week probation) but that is a different story.
EDIT: Here is my resume I guess not too impressive tbh, Im trying to start making more projects, but I dont know what is worth making. For example, I made a console black jack game in Java, but I doubt that is impressive enough to put on my resume, though I demonstrate knowledge of OOP.
https://docs.google.com/document/d/1kLLyBrOcx2PPzCUVBeclwJTYsD_Ykgntt8SdpMmVtH0/edit
submitted by ZaneIsOp to cscareerquestions [link] [comments]


2024.05.15 06:06 glockpuppet Going out of my medieval comfort zone with modern mechanics

I really like how clean my day zero outline feels, though I haven't run any simulations yet. There are a lot of things going on here, but I think for the amount of complexity firearms generally require, I've managed to get a good blend of specificity and abstraction. What do you think?
Turn Organization
There are two central concepts: Coordination and Initiative.
Coordination is a simple first/second condition in relation to the opposition and is influenced by formation, the manner in which a position is held, and the manner in which an area is approached. This stat affects group behavior.
Initiative is a number based on skill, accuracy, maneuverability, and responsiveness. This value affects all individual behaviors in combat. Further, your Default Initiative is a baseline number that you revert to when you perform recovery actions or remove yourself from certain tactical positions.
Coordination determines the order of action by group until an exchange of fire devolves into a firefight. Technically, these phrases mean the same thing, but I think "exchange of fire" sounds well-ordered and technical, and "firefight" sounds desperate and chaotic. During an exchange, players may devise a coherent strategy on their group turn and use "popcorn initiative". But once a firefight occurs, turn order is determined by character Initiative and only valid in-game tactical commands are allowed.
Examples of shifts from Exchange to Firefight:
On your turn, you spend initiative to act. Certain actions can allow you to spend more initiative for a better effect. When a new round begins, you revert back to your Default Initiative
Attacking
Your attack roll is called Attack Significance, and the result determines an effect called Suppression, which damages Initiative. If Suppression exceeds Initiative, actual harm is caused, which is treated like a critical hit, and its effect is based on your weapon. For instance, on a critical hit for a flamethrower, you might get a result that reads: "The target is immolated and begins to scream in abject terror. If friendlies do not administer aid within the next round, the victim will die"
Weapons affect initiative, initiative costs, and attack significance. A high rate of fire but a low powecaliber round would have a high attack significance but count as a light weapon in terms of critical progression. A heavy weapon will have a steeper critical progression. And artillery-level damage will flat out kill you. A low rate of fire weapon has a high initiative cost and a low attack significance
Armor
Armor is classified as light, heavy, or artillery-class:
Armor is immune to suppression against weapons a class below it, unless if you aim for weak points like the joints, face, or lower legs
If a weapon class exceeds the target's armor, then their armor will not protect them against that attack. For example, if you fire a 7.62 rifle at civilian armor, the armor will do nothing at all, unless if the distance is extreme enough to reduce the attack by a whole class. If you fire a rail gun at infantry armor
If your armor and the attacking weapon are equal in class, then it will block Critical Damage if Suppression Damage does not exceed the armor's threshold value.
Threshold is largely based on the coverage of your armor, and so it's possible to remove peripheral pieces to sacrifice some threshold in order to improve your mobility
Range, Accuracy, Mobility, Armor Penetration
Range governs the maximum distance you can fire your weapon before its damage degrades by class
Accuracy affects your maximum initiative in mid range combat and scoped long range combat.
Mobility affects your Default Initiative in close range combat.
Armor-penetrating ammunition defeats armor of the same class
Positions and Maneuvers
Some tactics are only available during a coordinated turn, such as "Area Suppression" where a the players tell the GM they're focusing fire on a single area, which organizes everyone's attack into a single, overpowered roll.
If you take up certain held positions on your turn, you'll be able to react quickly and move to cover or provide interrupting fire. If your character has hand-to-hand skills (and drugs, lots of drugs), they can take up high mobility maneuvers to build excess initiative, "release" it to perform adrenaline attacks (disarms, bodyshields, throws, wall runs and drop attacks, a throwing knife to the neck) or reactively dash out of the line of fire.
Thus, the modes of combat can allow for a more grounded military style or a batman/daredevil style, with a gritty-cinematic feel
submitted by glockpuppet to RPGdesign [link] [comments]


2024.05.15 06:01 AutoModerator WANT A GROUP WEDNESDAY

Looking for people to play with? This is the place to find them!Please post in the following format:
Availability (with timezone) 
Platform How many people you have in your group already
Here's a list of timezone abbreviations to use: https://www.timeanddate.com/time/zones/
For example:
Tuesdays and Thursday evenings (CDT)Steam (Mac)Have one other in the party already
or
Saturday mornings (CET)GOG (PC)Just me so far
Gather your party and venture forth!
submitted by AutoModerator to BaldursGate3 [link] [comments]


2024.05.15 05:55 CFlyn The Underrated Thing About Caps Is He Makes The Game About Himself

I vaguely remember Bwipo also stating something similar but let me elaborate on it.
People tend to look at laning stats / KDA when trying to compile a GOAT List of mid laners. A lot of the time arguments revolve around their KDA / their worst season / their best season.
Caps has a play style that no other mid laner in world has and it makes him more successful with weaker players compared to his Korean counterparts like Chovy(who is the best player in an individual sense right now without any discussion
In every single teamfight you will see Caps spearheading the fight if he is not playing with Miky who also has this attribute. In laning phase you will see Caps sacrifice his lane to roam over and over again. Only DoinB was better than him in this sense (See the teleport in game 2 to bot lane which effectively won game resulting in Kogmaw snowballing rather than Draven snowballing). You will see him actively looking for picks and trying ways to bring his team back into the game rather than farming passively. Faker is the other mid laner who is notoriously good at this historically. His champion pool and the flexibility he brings in draft again is again unmatched. Because of his champion ocean he adapts to any meta.
Whenever he is in lane he will take so many risks that enemy jungler and support will always camp mid lane allowing his junglesupport to do whatever they want in map. One of the main reasons Yike and Miky had godlike games was because Meiko and Tian legit got outplayed like 20 different times trying to gank mid. That is also why someone like Targamas looks at least LEC material when playing with Caps and looks so much worse without him. The same thing can be said for every player Caps has ever played with. For almost all lother mid laners only goal in early game is to give themselves the best lane state possible without thinking about the other ways they can help their team play the game. You will almost never see jungler of Caps ganking mid more than enemy jungle as he doesn't waste his team's resources for no reason calling for unnecessary ganks to get ahead in lane.
There are seasons where this approach makes his stats look really bad like 2021 when he plays with a tilted passive mentally boomed team where no one else is trying to do anything active with the space he provides. Combine it with a TF-Ryze meta where enemy mid laner can just click W on you and this is a recipe for disaster. But this is the main reason why Caps has : 1 MSI Title 2 World Championship Finals 1 World Championship Semi final with European teammates
while someone like Chovy who I said is best in an individual sense has : 1 World Championship Semi Final and nothing else in his resume even though he played with the likes of Tarzan Viper Lehends Doran Deft Keria Pyosik Ruler Peanut.
2018 is a great example for this. It was only 2nd year of Caps where he wasn't as good as today. In fact- Rekless/Hyli were the better performing players by far in that Worlds. However one of the reasons they performed so well was Caps playing ultra aggro all the time soaking all the pressure and making a worse game state for himself which have his bot lane a much easier game. He had a Rookie Bwipo and Broxah for god's sake. Even his heavily criticized Taliyah game in Game 5 against T1 is an example of this where he sacrifices his lane to put Hans in a position to carry the game. He can just stay mid and look good in stats against Faker whom he dominated in lane almost all series but that doesn't give him a better chance to win the game.
submitted by CFlyn to leagueoflegends [link] [comments]


2024.05.15 05:46 macthepenn Good science books (not textbooks)

In short: recommend me your favorite science books!
Hello! I just started getting into science books. I’ve always been in love with chemistry, but normally I read chemistry papers, and kept the books I read to fiction. I’m currently reading The Vital Question (Nick Lane), and realized I enjoy this format for learning about science a lot!
I’m not looking for textbooks, I’m not looking for review articles, I’m looking for books where the author tackles some scientific question or problem in the form of a book.
Bonus points if the topic has to do with origins of homochirality, because I find that topic FASCINATING, but any science topics will do!
Also bonus points if it has to do with organic chemistry (that’s my field), but definitely not a requirement.
Also, I’d prefer something that assumes at least some familiarity with science. I don’t want the author to spend full pages explaining what a covalent bond is, for example.
submitted by macthepenn to booksuggestions [link] [comments]


2024.05.15 05:36 macthepenn Chemistry book recs? (Not textbooks)

In short: recommend me your favorite science books!
Hello! I just started getting into science books. I’ve always been in love with chem, but normally I read chemistry papers, and kept the books I read to fiction. I’m currently reading The Vital Question (Nick Lane), and realized I enjoy this format for learning about science a lot!
I’m not looking for textbooks, I’m not looking for review articles, I’m looking for books where the author tackles some scientific question or problem in the form of a book.
Bonus points if the topic has to do with origins of homochirality, because I find that topic FASCINATING, but any science topics will do! (I’m even on if they aren’t chemistry.)
Also, I’d prefer something that assumes at least some familiarity with science. I don’t want the author to spend full pages explaining what a covalent bond is, for example.
submitted by macthepenn to chemistry [link] [comments]


2024.05.15 05:35 baal_imago Clai - Multi-vendor AI-tool for terminal based text/photo generation

Hello! This is a somewhat shameless plug, but I use this tool literally every day multiple times per hour and hope that it might help some more people too.
Basically, clai integrates with LLM's and allows for conversations via cli. On top of this, it has support for pipeing in data + function calling. So analyzing large log file, interpreting output from arcane CLI tools (looking at you, dig..) becomes as easy as clai -i q "What the heck is this: {}"
Recently I added tooling/function calling as well. So it's possible to saycat .file clai -i -t q Why do I get this stacktrace: {}, you'll find the source code here: ~/Projects/some_project and the AI will itself decide what tools to call and how to approach finding the solution. But, tbh, I've had mixed results with this. Always found it easier to debug it myself, but I think that might be that I don't prompt well enough. A final tip is to use the glob mode to create unit tests or generate repetitive code, example clai -r glob 'internal/setup.go' Generate unit tests for this file. Write ONLY code, nothing else. > internal/setup_test.go. You'll want to use the -r flag for this since the output is formated using glow as markdown otherwise.
I hope you'll find it as useful as I do, and ofc I hope for as many people as possible to use it! This is the source code: https://github.com/baalimago/clai, install with go install github.com/baalimago/clai@latest
submitted by baal_imago to golang [link] [comments]


2024.05.15 05:32 DocWatson42 Circuses & Carnivals

My lists are always being updated and expanded when new information comes in—what did I miss or am I unaware of (even if the thread predates my membership in Reddit), and what needs correction? Even (especially) if I get a subreddit or date wrong. (Note that, other than the quotation marks, the thread titles are "sic". I only change the quotation marks to match the standard usage (double to single, etc.) when I add my own quotation marks around the threads' titles.)
The lists are in absolute ascending chronological order by the posting date, and if need be the time of the initial post, down to the minute (or second, if required—there are several examples of this). The dates are in DD MMMM YYYY format per personal preference, and times are in US Eastern Time ("ET") since that's how they appear to me, and I'm not going to go to the trouble of converting to another time zone. They are also in twenty-four hour format, as that's what I prefer, and it saves the trouble and confusion of a.m. and p.m. Where the same user posts the same request to different subreddits, I note the user's name in order to indicate that I am aware of the duplication.
Thread lengths: longish (50–99 posts)/long (100–199 posts)/very long (200–299 posts)/extremely long (300–399 posts)/huge (400+ posts) (though not all threads are this strictly classified, especially ones before mid?-2023, though I am updating shorter lists as I repost them); they are in lower case to prevent their confusion with the name "Long" and are the first notation after a thread's information.
Books
submitted by DocWatson42 to Recommend_A_Book [link] [comments]


2024.05.15 05:30 tools44 Anyone else having difficulty getting Plex/Plexamp to recognize release types?

Couple of months ago I saw a post that showed how to get Plex and Plexamp to recognize Live/Singles/EPs/Compilation tags and how to format them so the Plex Dance picks them up. Updated my entire library and it worked like a charm. Seems like ever since 1.40xxxx, new additions no longer update. Yes, I do the refresh metadata. Yes, I am using local metadata. Nothing has changed on my end. The stuff that updated has stayed updated, but for example, new Live albums do not update to Live in Plex. I haven't seen anyone else post that here so I was wondering if it's happening to anyone else.
submitted by tools44 to PleX [link] [comments]


2024.05.15 05:26 saddestbuni Unsure how to calculate total duration to get my monthly percentage.

I’m pretty new when it comes to excel and have so far figured out for what I need. However I’m stuck on calculating duration. I have to keep track of my supervision hours for my job which then is added to my monthly hours which is then divided by eachother to get my total percentage. What I’m running into is how to calculate the duration of my supervision. For instance : I have a column of my supervised hours in duration. For example I’d have multiple times ranging from 30 minutes up to 3 hours. I want to get the TOTAL duration of hours. I know it’s simple math but when I have times like 1 hour + 30 minutes + 2 hours 45 minutes it gets confusing. I know I’ll be told to use =sum + the whole column which I did but it gives it to me in the time format (hh:ss). However this doesn’t work for what I need as I have another column already made to calculate the division for my percentage and this doesn’t work because it’s using the hh:ss format… I hope this wasn’t too confusing of a question. I can provide a visual if needed. Please help. Thanks
submitted by saddestbuni to excel [link] [comments]


2024.05.15 05:26 Incman I would love to hear from this subreddit regarding my (actually-this-time-unless-she-changes-) final letter to my nMom.

As the title states, (and despite the existential risk to myself - as I am disabled, impoverished, and my survival is reliant on the room I rent in her attic - given her recent threat to have have me thrown out by the police because she could not handle the feelings she had during the argument that she initiated), I have finally drawn a bright red line in the metaphorical sand regarding her treatment of me. This is the culmination of 8+ years of sustained, one-sided, unreciprocated, and unsuccessful effort on my part to sustain, salvage, repair, or improve our "relationship"
 
I've learned a lot from the stories and people on this subreddit, and I know if anyone can understand the way that I'm feeling about this it's you guys.
 
Any input, commentary, criticism, insight, commiseration, etc, is very welcome, and I appreciate anyone who takes the time to read it.
 
Anyways, enough preamble, here's the letter in all of my ridiculously-verbose inglory (the square-bracketed disclaimers, etc, were part of the letter as delivered to her, since she is selective illiterate whenever there's something she doesn't like):
 
[START]
 
[This document begins with a 382 word AI-generated summary (titled "AI- GENERATED SUMMARY:" below the square-bracketed opening remarks), estimated at 1m23s time required to read. If you are unable or unwilling to make it through even this brief summary, then there is literally nothing else I could possibly do to assist in your comprehension of my positions. The full message following the summary is approximately 2100 words, estimated at approximately 8 minutes to read.]
 
[If you would like assistance in understanding things I've written that you're struggling to interpret or comprehend, you can go to chatgpt.com (no account necessary), or download the ChatGPT app from the Google Play Store on your phone. You can simply interact with the chat in natural language (in other words, type as though you were texting another person) and it will understand what you are saying. If you are struggling to understand how to interact with it effectively, you can simply inform it of that (in any wording you choose) and it will assist you with altering your approach to receive more effective results.]
 
AI-GENERATED SUMMARY:
 
Your son's message is a powerful declaration of his boundaries, grievances, and intentions within your relationship. Here's a breakdown to help you understand:
 
Preface: He advises you to read with an open mind and, if needed, with assistance due to the emotional complexity.
 
Declaration of Disengagement: He firmly states his decision to disengage from any form of interaction or acknowledgment outside of essential landlord-tenant matters.
 
Condemnation of Abuse: He accuses you of perpetuating a cycle of abuse that has deeply impacted his health and stability.
 
Rejection of Coercion: He dismisses the idea that being evicted is a viable solution to the abuse, highlighting the coercive nature of such a choice, and how it leaves him vulnerable to further harm.
 
Criticism of Your Behavior: He unreservedly condemns your actions, particularly your exploitation and manipulation, emphasizing the gravity and effects of your conduct.
 
Challenges to Your Claims: He directly confronts your claims regarding his efforts in the relationship, asserting that he has consistently made extensive attempts to maintain it, despite your accusations to the contrary.
 
Commitment to Compliance: He unequivocally affirms his commitment to compliance with all landlord-related demands, demonstrating his unwavering respect for your authority as the homeowner.
 
Demand for Clarity: He demands clear and unambiguous knowledge of the requisite terms when any changes to living arrangement paradigms are demanded, underscoring his willingness to comply with any directives you may issue.
 
Defense Against Gaslighting: He firmly asserts his unwavering commitment to respecting your property and authority, preemptively refuting any attempts to accuse him otherwise.
 
Insights into Your Behaviour: He offers insights into patterns in your behaviour, linking them to moments of vulnerability or distress in your life.
 
Call for Self-Reflection: He urges you to seek professional help for your narcissism and unresolved childhood traumas.
 
Caution Regarding Gravity: He states that failing to address your responsibilities would be a missed opportunity for both of you to salvage the relationship and resolve underlying issues.
 
Reiteration of Hope: Despite his current stance, he leaves the door open for reconciliation if you undergo necessary personal growth.
 
Closure on Unequal Effort: He firmly states that he can no longer sustain the one-sided effort in the relationship and won't continue to do so.
 
It's evident that he's deeply hurt and demanding acknowledgment, change, and resolution in your relationship.
 
[end of AI-generated summary; my full, non-AI-generated message follows below]
 
[I recommend that you read this in its entirety at a time and capacity level where your literacy and comprehension are at their highest level, and preferably with the interpretational assistance of a knowledgeable and competent support person or technological assistant.]
 
[Presumably, after reading a few sentences or less, your defense mechanisms will be activated and you will eject. However, as with the vast majority of the things I have said to you that have gone unacknowledged, I am completely certain that the contents are cogent and comprehensible, and I believe that with competent support and vulnerable effort you undoubtedly have the raw cognitive capacity necessary for comprehension if you are able to stabilize your emotional reactions and put real effort into the actions necessary for you to understand my words.]
 
I will not talk to you.
I will not look at you.
I will not approach you.
I will not acknowledge you.
 
If you attempt to interact with me on any interpersonal level not related to your role as a landlord, I will reserve the right to express just how fucking despicable it is to treat such a vulnerable person with such utter disregard and abuse for so fucking long.
 
The cycle of abuse you have maintained to destabilize me for your own pathological reasons has caused - and continues to cause - extensive damage to my health, stability, and existence. However, since I know your response to this would likely be some variation of "you're not a victim here [my name], so if I treat you so bad, just leave", I'll preemptively and unequivocally condemn such coercive and abusive tactics, and state again (as I did the other day), that the forced choice between your abuse and life-threatening-homelessness is obviously no choice at all, and leaves me perpetually subject to your coercion and abusive control.
 
Such exploitation by you is absolutely disgusting, and honestly I understand why you run away from yourself at every single instance where you're in danger of having your lifelong house-of-cards ego even slightly threatened. I know if I treated another human being the way you treat me for even a moment, let alone for the literal years you have done so, I would not be able to face myself in the mirror either. You should be fucking ashamed of yourself.
 
You say I "don't want to be your son anymore", as though it has been someone other than me making hundreds and hundreds and hundreds of hours of efforts and attempts in order to try and single-handedly keep our relationship alive, and as though it has been someone other than you who has stonewalled me for years about every single legitimate and valid time I attempted to gain even the slightest foothold as a full human being in the owner-pet relationship you have fought so hard to maintain. You siphon, in fact demand, emotional supply whenever you so choose, and then fucking discard me as soon as it appears that I might do anything that would result in you losing even a fraction of a percent of the 99% to 1% imbalance you believe is an immutable part of our "relationship".
 
I will do my absolute best to be in my room as much as physically possible when you are home, so as to minimize the need to be physically adjacent to you in the course of our respective activities of daily living.
 
I, again, remain unequivocally committed to my position of deference and compliance towards any rules/demands related to my existence, presence, or activities as your tenant.
 
As you refuse to provide any sort of unambiguous guidance or clarification whatsoever regarding your shifting demands affecting my ability to access/perform basic activities of daily living, I will continue to act in good faith with respect to my adherence to all previously-established arrangements and protocols (whether codified or de facto) regarding such activities. To the full extent of my abilities, and to the extent that it is physically possible, I will immediately and unequivocally comply with any alterations, additions, or excisions you choose to impose regarding the nature of our physical coexistence as landlord and tenant, regardless of your disregard or intent for any harm to my stability that will ensue as a result.
 
If you intend to attempt to manipulate or threaten or gaslight me to illegitimately and dishonestly accuse me of failing to comply with your rights and demands as the homeownelandlord, then I can assure you that such efforts will be ineffective and inadvisable. The extensive history of my genuine, documented, and unwavering commitment to absolute respect of your home, property, and landlord-tenant authority is unassailable, and nothing has or will change about the good faith nature of my efforts to simply live peacefully and work on stabilizing my health and continuing to attempt to develop basic protocols that offer me the opportunity to seek the ways and means required to sustainably exist, survive, and seek meaning and fulfilment as a human being.
 
To try and make it a bit more bite-sized (without warranty as to the efficacy of said efforts), since I know when your ego is threatened you conveniently - and dishonestly - become completely unable to read a couple thousand words:
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
I love you, and goodbye for now. I hope to see you on the other side, but I cannot force you to undertake the journey.
 
- [name]
 
[/END]
(any edits are fixing formatting/copy&paste errors)
submitted by Incman to raisedbynarcissists [link] [comments]


2024.05.15 05:21 GotTools Calling all Engineering/ CS majors, read before posting.

I have seen way too many people posting their resumes on here that are engineering/cs majors, getting shit advice from people that don’t know how a technical resume should look. Here’s what you do 1. GO TO engineeringresumes read their wiki. It will walk you through exactly how to write your resume along with templates.
  1. Post your resume for advice from people who actually know what they are talking about. Read the exact way you need to write your title. They are picky?
  2. Make your modifications and you are on your way!
It helped me tremendously in writing a good resume. Don’t get frustrated, it took me weeks to make a very good one. Don’t be afraid to look at others resumes on the subreddit to get good examples. I’m not trying to steal people from this subreddit but this is getting ridiculous.
submitted by GotTools to resumes [link] [comments]


http://rodzice.org/