Medium length layered bobedium length layered bob

Short haircuts for women

2020.10.10 16:34 1aleynatilki Short haircuts for women

short haircuts for women (pictures and videos). Must-Try Short Hairstyles and Haircuts in 2023. Medium Bob With Wispy Bangs. Apple Cut. Chin-Length Bob. Pixie Cut With Side Bangs. C-Curl Bob With Curtain Bangs. Curly Bob. Curly Pixie Cut. Wolf Cut. Asymmetrical Bob. Choppy Bob With See-Through Bangs. Pixie Cut With Undercut. Bob With Side Part. Bob With Layered Bangs. Medium Bob With Side-Swept Bangs. Short Blunt Bob With Blunt Bangs. A-Line Bob. Blunt Wavy Bob With Bangs. Scrunched Bob.
[link]


2023.04.05 05:57 ttaywgnik Girlswithbobcuts

A SFW media subreddit of women with Bob Cuts.
[link]


2017.06.02 05:22 thatmethguy A movie in your mind

GraphicAudio®…A Movie in Your Mind® is an award-winning audiobook entertainment company based out of Rockville, Maryland. Since 2004, we have published over 1,600 titles and more than 160 different series in a wide variety of popular genres. All titles feature book-length full cast dramatizations richly scored with cinematic music and layered with immersive sound effects and design!
[link]


2024.05.14 06:43 HungryBar3834 Hey guys if im taking large amount data from a server and it makes the app so slow so what is the best way to take that data

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;
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 = ''; @override void initState() { super.initState(); markerIcons = {}; fetchShops(); } 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] = 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: 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: 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), ), ), ); }, ), ) ], ), ); } } 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.14 06:23 aleeksrosecheeks thought my new pointe shoes fit perfectly, teacher disagrees.

I recently got fitted in Nikolay 3007s, 4 xxx with a medium shank. I went to a fitter I trust (Victoria is her name I think, at The Leotard in Portland) who has a lot of experience doing fittings. She agreed that these shoes supported me well. My other shoes, Bloch Axiom 4.5 xx, caused me to metatarsal a lot. I showed my Nikolays to my ballet teacher today and she thinks they’re way too small and “will give me bunions”. She’s been teaching for over 50 years and usually has a lot of solid advice, so I want to trust what she says.
When I first got my Blochs, she “tested” them by sticking her index and middle finger under the vamp (kind of aggressively if I do say so myself). She tried this again with the Nikolays, and she concurred that they’re too small because she couldn’t fit her fingers in. I agree that they feel smaller than my other shoes… but with the other shoes, I have to add layers of lambs wool and paper towels for my feet to properly fit because they compress a lot.
Should I try to size up or get refitted for my Nikolay shoes? I got them off of ebay in the same size I was fitted in because I couldn’t afford the full price.. I’m not sure if I could return or resell them, but I don’t want to dance in a way that damages my feet. What should I do?
submitted by aleeksrosecheeks to BALLET [link] [comments]


2024.05.14 06:05 kimple_john WTS/WTT: S Layers 28/XS Bottoms WTB: XS/S/M Shirts/Layers, S/M (bottoms) shorts, 28/29 bottoms

WTS/WTT (CONUS PayPal F&F or PayPal G&S + 4% fee)
WTB:
(Bottoms)
(Tops)
(Layers)
Thanks for looking. Happy to send pictures/measurements if needed
submitted by kimple_john to OutlierMarket [link] [comments]


2024.05.14 05:44 courtingdisaster Presenting the evidence: 17 May 2024

Presenting the evidence: 17 May 2024
Come one, come all, we're clooowning again! 🤡
Thanks to u/1DMod for posting the Jimmy Fallon video that led to me to start to connect the dots that other creators have noticed. Long story short, we're clowning for Stockholm N1 (maybe even night ✌️ as well), buckle up clowns!

✌️

First things first, May 17 is ✌️ fortnights after the release of TTPD on April 19. We know that Taylor is still throwing up peace signs which seems unnecessary if it only ever meant that there was a second part of TTPD. I think it's an indication that we haven't completely cracked that egg yet.
This photo was necessary for the post, ok

National/International Day Of

While these days aren't necessarily solid proof of anything, Taylor did release TTPD on Poetry & The Creative Mind Day and also released the ME! music video (ME! Out now!) on Lesbian Visibility Day so I think it's definitely worth investigating.
Let's have a look at the holidays for May 17 that could be relevant:
  • Endangered Species Day - anyone remember the ✌️ trips to the zoo while in Sydney...? We also have the big cat imagery on her new 1989 outfit to consider. If you haven't read this incredible post by u/Funny-Barnacle1291, I'd urge you to stop clowning with me (just for a moment) and go and read it. Taylor's TikTok bio still reads, "this is pretty much just a cat account" which could be a surface level meaning of her posting videos of her cats, but we know miss Feline Enthusiast herself loves a layered meaning. She also compared herself to feeling, "a lot like being a tiger in a wildlife enclosure" in the Lover diaries she released (pictured below).
TNT at Sydney Zoo Paris N4 TikTok bio Lover diaries comparing herself to a tiger Sydney Zoo
  • National Pizza Party Day - I know I am personally still haunted by her Stephen Colbert interview on 13 April 2021. The interview starts with Colbert talking about Taylor's Versions and also talking about how he believes the song "Hey Stephen" is about him. What surprise song did we get on guitar Paris N3..? Important to note that this interview also talks about him "waiting tables on the lunch shift at Scoozi, an Italian restaurant in the River North area of Chicago, that, by the way, serves a really incredible slice of pizza." Taylor also goes on to say that the song is actually about Stephen King and Taylor then says "The Dark Tower series changed my life, plus The Shining, The Stand and don't even get me started on his short stories... Absolutely luminescent." This interview is obviously very strange and likely filled with easter eggs. We know that her mention of the River North area of Chicago was also the location of one of the TTPD murals that went up ahead of release.
No... This is pizza
ME! Out soon 😉
  • National Graduation Tassel Day - Taylor was awarded with an honorary doctorate at NYU in 2022. We know that her speech at this event was filled with “Midnights” easter eggs including lyrics to “Labyrinth” and “You're On Your Own, Kid”. I wonder what other easter eggs are hidden in this speech...? Here's a link to the video and you can also read the full transcript here. I'm not going to do any further digging into this one right now, just presenting it as evidence but please feel free to note anything of importance in the comments.
Dr Taylor Alison Swift
These chemicals hit me like whiiiiite wiiiiine

Direct 17/5 easter eggs

  • Tokyo N3 - One of the surprise songs during Tokyo N3 was "The Outside". This excellent video by Kristen (underthepink7 - go follow her, she's amazing) goes into some additional easter eggs that I'm not going to go into here but definitely worth a watch (which also connects to "Down Bad"). What I do want to talk about though is what Taylor said when she introduced the song. Here's a video of the performance including her speech beforehand where she says, "this song is 175 years old." At the time most people thought that it was an egg for number of days leading us to 2 August 2024. It could still be referring to this however I'm starting to believe it's related to the date.
  • Date format - Before we go any further, it's important to note that the date format in Europe (where the Eras Tour currently is) goes DD/MM/YY. This is why I think the 175 could be a date as that equates to May 17 in Europe.
  • Tokyo N4 - On 10 February 2024, the surprise songs in Tokyo were "Come In With The Rain" (track 17) and "You're On Your Own, Kid" (track 5), another 175 and in this case it's specifically 17/5.
  • Anti Hero music video - There's been some really interesting analysis that I've seen on Twitter where the timestamps in Taylor's recent music videos appear to be lining up with the date of things happening in real life. Underthepink7 and Kiturakk on Twitter have pointed out some interesting connections to the numbers 175 in the Anti Hero, Bejeweled and Willow music videos. I'll admit this could be considered a bit of a stretch but what if I told you none of it was accidental...
Is Taylor using timestamps in her self-directed music videos to refer to dates in real life?

Important days in history

These could be nothing, could be something, still worth noting.
Important events in history that may be important to Taylor

Important events in Taylor's history on this day

  • "Bad Blood" music video premiered at the Billboard Awards
  • Entertainment Weekly where Taylor is on the cover with a rainbow pin and gravestone that says "I tried" is published
  • City of Lover concert (i.e. Taylor's Lover concert performed in Paris) airs on ABC for the first time
I think we're about to recreate her sparkling summer

Stockholm

  • 88th show - Taylor made a point to let everyone know that Paris N4 was the 87th show of the tour. Yes 87 is Travis' number but what if it was also to let everyone know that Stockholm will feature both her 88th and 89th shows? Obviously 89 is an important number to her however last year we saw Taylor embracing double dates (5/5 Speak Now TV announcement, 7/7 Speak Now TV release - there's probably others, that's all I remember off the top of my head) so I don't think it's a stretch to say that the 88th show would hold significance to her. I saw this thread on Twitter yesterday regarding "portal dates" and while obviously this is referring to dates, I can see "portal shows" being potentially noteworthy. Following on from this, Kristen has highlighted some Taylor Nation tweets that include the words "17" or "May" with one of those tweets being posted on 8/8 (while quoting "Betty" of all songs...) which Kristen notes is the karmic number representing resurrection and regeneration (tweets pictured below).
Deep portal, time travel
Is Karma boutta pop-up unannounced...?
  • Beyoncé - The Renaissance World Tour kicked off on 10 May 2023 in Stockholm at the very same stadium that Taylor is performing in next weekend. To me it would make sense to start a tour named Renaissance in Italy, where the Renaissance originated not in Sweden... We've seen Taylor and Beyoncé supporting each other a lot in the last year and Beyoncé's producer recently said, "let's just say she's on the approach of shocking the world." We know she's on her own three-act journey at the moment (complete with queer-flagging in her shows and her own Biyoncé rumours) so I don't think this quote is directly related to Cowboy Carter but potentially regarding the culmination of her arc. Is it possible that her arc lines up with Taylor's creating a supernova that will change the industry forever?
Taylor & Bey supporting each other at their respective film premieres, a literal pride flag on the Renaissance Tour (it's actually just Chiefs colours, phew!)
  • Taylor recorded songs in Stockholm - Kristen notes that many of Taylor's important singles were recorded in Stockholm including "I Knew You Were Trouble", "Shake It Off", "Blank Space", "Bad Blood", "Ready For It" and "New Romantics". Perhaps this city holds a special place in her heart?
  • One Direction - paging u/1DMod to go into more detail here however noting that One Direction has a song called "Stockholm Syndrome" and the lyrics are very interesting indeed ("I used the light to guide me home"). Checkout this recent post by u/1DMod regarding the possible Larry connections to TTPD.
  • Friends Arena - The stadium in Stockholm is called the Friends Arena. Taylor had a Friends pin on her jacket on the Entertainment Weekly cover. Was this stadium always supposed to play an important role? Kristen also notes that the opening ceremony took place on 27 October 2012 (obviously 27 October is the day that 1989 was released, both times) and

New Romantics

Kristen, who I have referenced in nearly every part in this post (again, she's amazing, go follow her), has a mass coming-out theory that she has dubbed the New Romantics. I highly recommend checking out her content on Twitter and TikTok and she's also recently launched a podcast that you can read more about here for a lottttttt more information on this theory. Essentially the theory is that a large number of artists in the entertainment industry are queer and are working together as a "safety in numbers" type approach to coming out of the closet and potentially changing the industry in a monumental way.
Let's have a look at some players that are relevant to either 17 May or Stockholm (or both in one person's case!):
  • Zayn - This is the person who is relevant to both 17 May and Stockholm! Obviously he was part of One Direction who I spoke about above as having a song titled "Stockholm Syndrome". Did you know his new album "The Closet" "The Room Under The Stairs" is being released this Friday, May 17? Again, I'll leave this to u/1DMod any additional relevant information as this is not my area of expertise but from what I understand, all members have their own queer rumours.
  • Billie Eilish - Recently out as a girl kisser, Billie Eilish is also releasing an album on this day titled "Hit Me Hard and Soft" featuring a song called "Lunch" that would leave even the most homophobic Swiftie unable to defend her queerness if released by Taylor.
  • Madison Beer - Madison is out as bi. Her tour, The Spinnin Tour, began 24 February 2024 in Stockholm (a different venue though).

Theories as to what exactly is coming

  • TTPD: Part 3 - I recently made a post presenting the evidence on a potential third part to TTPD. In this post the majority of the evidence was just related to the "3s" that have been prevalent lately however there were also some "5s" which led us to believe something was happening 5/3. I've since had a couple of thoughts that maybe the "3/5" is related to her 35th birthday this year. I strongly believe she'll be out by her birthday at the latest if not ON her birthday, but I digress.
  • Karma - After the fiery (Chiefs) colours we saw displayed in Paris, I'm not sure how you could be a Karma-denier at this point to be honest! If you haven't already, check out this amazing post from yesterday by (Dr Bryanlicious2 homewrecker) u/clydelogan. Their post discuses the numerology surrounding the number 8 that I referred to earlier however could this all be pointing us to the 88th show instead of a particular date...? Also if you are somehow still a Karma-denier, I recommend reading this collobarative post that is constantly being added to if you don't know what Karma is.
Karma is REAL
  • Coming Out - I personally don't believe she would come out during a show in Stockholm, however it's worth at least noting as a possibility. It would mean that she was "out" before Pride Month 😉 She did just sing "Begin Again" as a surprise song in Paris N4 - is she beginning again as her authentic self at the very next show?
  • Book - The creator of the video that u/1DMod initially posted believes that Taylor is announcing a book on 17 May 2024 with it to be released on 21 October 2024. I'm not going to go into this theory in detail however if you are interested in finding out more about what they have to say, here are a couple of videos of theirs (video 1, video 2, video 3).
Is this another easter egg that she laid 3 years ago?

In Summation

Something is happening in Stockholm.
I don't know what exactly but it is THE ONE to watch. I'll be there talking smack in the megathread and keeping an eye out for any new Chiefs colours.
See you there, clowns! Who's clowning with me?! 🤡🤡🤡
submitted by courtingdisaster to GaylorSwift [link] [comments]


2024.05.14 05:08 lildaemon [D] Full causal self-attention layer in O(NlogN) computation steps and O(logN) time rather than O(N^2) computation steps and O(1) time, with a big caveat, but hope for the future.

*Update*: Actually O(N) computation steps(not O(Nlog N)) and O(log N) time.
I think I figured out how to do self-attention in transformer models in O(NlogN) computation steps rather than O(N^2), with a caveat. I'm not trying to be an academic, so I don't care to publish this formally, but I thought that some people might be interested. My construction is not efficient or practical, but the fact that it can be done at all might motivate further work to find efficient alternatives.
tl;dr Use the parallel scan[1] technique to compute taylor series basis functions needed to compute the causal self-attention layer and sum these together weighted by the values vector and 1 to get the numerator and denominator of the softmax activation of the full causal self-attention layer. The basis functions that you have to compute are both the basis functions for the numerator of the self-attention layer, $\sum_{i=0}^{j-1} k(i)_a^n q(j)_b^m v(i)$ and the normalization $\sum_{i=0}^{j-1} k(i)_a^n q(j)_b^m$. k(i)_a^n is component-a of the ith key vector raised to the power of n multiplied by q(j)_b^m which is component-b of the jth query vector raised to the power of m, which is multiplied by the value vector at position i in the first equation and by 1 in the second, and all summed together. Once you can do this, you've computed a basis function for a Taylor series. Multiply each basis function by a coefficient and sum them together to create an arbitrary function of k(i) and q(j). Using this technique, we can compute the Taylor series approximation for the numerator and the denominator of the softmax activation each taking logN * {number of coefficients} parallel steps, or O(N) sequential steps by treating the accumulation as a type of RNN.

Background

I was inspired to think about this because I was implementing MAMBA[2] and trying to understand what kind of non-linearities can be created using the parallel scan technique. The parallel scan technique is a way of parallelizing recursive formulas. If you don't know what parallel scan is, let me demonstrate with an example. The simplest example of the parallel scan technique is computing all partial sums of a sequence of numbers in log(N) time. Imagine you have a sequence [a_1, a_2, a_3, a_4, ...]. You can compute all partial sums by first adding a_i to a_{i -1}, where a_{-1} is zero, and generally a_{-n} is defined to be zero. Then take the result, call it r = [a_1, a_1+a_2, a_2 + a_3, ...], and compute r_i + r_{i-2}, which gives [a_1, a_1+a_2, a_1+a_2+a_3, ...]. The first 4 partial sums are already complete. The next step would be r_i + r_{i-2**2}, and the next step, just increase the power of 2 until i-2**power is negative for every i in the sequence. It basically sums groups, and then sums those groups together, and so on and so forth until the partial sum at each position is calculated. The scan technique is a way to parallelize an RNN. Essentially, you remove some nonlinearities in the RNN so that recurrence equation becomes associative. Once it is associative, you can compute the hidden state at each position of the sequence in log N parallel steps, where each parallel step has O(N) parallel computations.

The Meat of It

In the background section, I explained how to compute a partial sum in O(log(N)) time and O(NlogN) computation steps (or O(N) time and O(N) computation steps by using RNNs) using the parallel scan technique. I'll use this now to construct the Taylor series for causal self-attention layer used in transformer models.
Let's assume we have a tensor x of shape (sequence_length, embedding_dim), and we can compute the query, key and value tensors from x using q=Qx, k=Kx and v=Vx, where Q, K and V are matrices. Compute y = (k[:,i]**n)*v. Now use the parallel scan technique to accumulate the partial sums of every vector in y, which will give ParallelPartialSum(y)=[y[0,:], y[0,:]+y[1,:], ...]. Now multiply the result by q[:,j]**m, and now we have a basis function for a Taylor series expansion. The full formula is q[:,j]**m * ParallelPartialSum((k[:,i]**n)*v). Next, we can add up these functions for different powers of n and m using coefficients to approximate any function. The final equation is \sum_{n, m} A_{n, m} q[:,j]**m * ParallelPartialSum((k[:,i]**n)*v).
What is left is to find the Taylor series coefficients A_{n, m} and to calculate the normalization for the softmax. I'm not actually going to give an equation for A_{n, m}, but I will show that it can be done. First, I'm just going to write $q \cdot k$ in place of $q[:,j,:] \cdot k[:,i,:]$ to make it easier to write and read. We want the Taylor series of $exp(q \cdot k) = 1 + (q \cdot k) + (q \cdot k)**2 / 2! + ... + (q \cdot k)**n / n! + ...$. To find the Taylor series coefficient for every component of q and component of k and every power of each, you'd have to expand out (q \cdot k)**n /n! for every n. It can be done but I'm not going to do it. Just assume that A_{n, m} is equal to these coefficients, and voila, we have the numerator of the softmax equation for self-attention. We still need the denominator. To compute the denominator of the softmax over attention scores, you compute the same sum replacing the value tensor with the number 1. $\sum_{n, m} A_{n, m} x[:,j]**m * ParallelPartialSum((x[:,i]**n))$, where again the value vector at the end of the equation is removed. The final equation for the causal self-attention layer is:
$$ (\sum_{n, m} A_{n, m} q[:,j]**m * ParallelPartialSum((k[:,i]**n)*v)) / (\sum_{n, m} A_{n, m} q[:,j]**m * ParallelPartialSum((k[:,i]**n))) $$
Where again, A_{n, m} are the Taylor series coefficients for exp( q \cdot k).

Take-Aways

One big take away from this work, is that since causal self-attention can be calculated using the parallel scan technique, and since a parallel scan can be computed with an RNN, it follows that full causal self-attention can be computed with RNNs. The caveat is that you need many RNNs, one for each Taylor series basis function, so to get a good enough approximation of the softmax activation, you'd probably need a lot of coefficients, more than would be practical. On the other hand, what if there is a related activation that does the job of the softmax, but can be constructed with far fewer parallel scans? Then full causal self-attention could be done using only a few RNNs. Also, there are other basis functions that can be computed with one parallel scan, for instance, basis functions for a Fourier series can be computed with one parallel scan.
Non-linear activations are necessary for neural networks to work well. Linear RNNs can be parallelized using parallel scans, and since it is a linear function, one might think that this technique is not as powerful as other neural network layers. One shouldn't make the mistake to think that only linear RNN can be parallelized with linear scans. Non-linear RNNs can also be parallelized so long as the recursive update rule is associative. One might think that this restriction somehow makes the model weaker, I did, at first. But if associative recursion formulas are enough to create transformers(albeit inefficiently), then it stands to reason that they can do anything a transformer can, which is a lot. The only question is whether it's possible to come up with an efficient activation. Maybe MAMBA already did, maybe there is something better.
[1] https://en.wikipedia.org/wiki/Prefix_sum
[2] https://arxiv.org/abs/2312.00752

Update

Actually there is a better algorithm for the parallel scan given in the wiki link above[1]. That means that causal self-attention can be calculated with O(log N) time and O(N) steps instead of O(NlogN) steps.
submitted by lildaemon to MachineLearning [link] [comments]


2024.05.14 04:33 remidragon Ramielust Tank: A Review

Where I live the heat and humidity can be brutal, and this year spring is already cooking. So how chuffed was I when Outlier sent me a ramielust tank to test. For the last couple of weeks I’ve been wearing it into the ground. I wanted to really test it, so I leaned into it a bit more than I generally would. At this point it’s seen eight full days of wear (and a cpl partial), has been washed five times, slept in, worked out in, dressed up (a bit), tugged on by a small child and a small-legged dog, and is still in one piece. I know this form, in this fabric, has been highly anticipated by many (myself included) - so here’s what I’ve got:
submitted by remidragon to Outlier [link] [comments]


2024.05.14 04:03 Rseattle206 [WTS] *PRICE DROP* BCM 16" MID-LENGTH UPPER W/ BCM BCG & GUNFIGHTER CH ($450), CENTURION 12" C4 QUAD RAIL ($215)

TIMESTAMP - 5/13/24 Price Drop
ITEM 1: BCM 16" Mid-Length Barreled Upper w/ BCM BCG and BCM GUNFIGHTER CH
INCLUDED w/ Upper:
1. BCM Bolt Carrier Group
2. BCM GUNFIGHTER Mod 4 Charging Handle (VLTOR Medium Latch)
ADDITIONAL BCM MID-LENGTH UPPER PICS
This upper has seen 1500k-1600k rounds. Cleaned after each range session. Some handling marks over the years but continues to shoot reliably.
Selling for $450.00 shipped CONUS. Add $10 if additional insurance is required by buyer. Payment accepted is via PayPal G&S.
ITEM 2: Centurion 12" C4 Quad Rail (2-Piece Free Float)
ADDITIONAL C4 RAIL PICS
This Centurion rail utilizes the standard AR-15 barrel nut (not included with rail). Some handling marks over the years. All hex screws included with rail.
Selling for $215.00 shipped CONUS. Add $8 if additional insurance is required by buyer. Payment accepted is via PayPal G&S.
If you are interested in both the barreled upper assembly and C4 rail I will sell for $645.00 shipped CONUS. Add $15 if additional insurance is required by buyer. Payment accepted is via PayPal G&S.
submitted by Rseattle206 to GunAccessoriesForSale [link] [comments]


2024.05.14 03:37 MagnoliaStyle Which blow out brush does the best job?

Context: I have medium long, THICK hair. Lots of long layers.
I have been a ride or die for my revlon brush over the last few years but I don’t know if there’s something better out there.
I tried the shark flex style and it was okay for a while but I went back to revlon.
I tried the Dyson and that’s a BIG no for me. Really damaged my hair.
Is revlon the best one? Or is there something better you’ve tried and fallen in love with?
submitted by MagnoliaStyle to Hair [link] [comments]


2024.05.14 03:32 Smooth_Trouble_3933 [WTS][BC]TM Stanag Mags and Battlebelt

Selling 2X Brand new OEM TM MWS M4 mags , Gen #4 stamp. bought a pack and dont need that much, asking 150$ for both or 80$ Each. Mags
Selling a Medium size IDOGEAR 2 Inch Tactical Belt with 2x Krydex M4 mag pouch on one-velco system. very tight mounting and wont move like a normal molle. Asking 80$ for the Set up. (M Fits waist 86-96cm, whole length 142cm)
Belt
Prefer local sale but can ship on buyers expense.
submitted by Smooth_Trouble_3933 to airsoftmarketcanada [link] [comments]


2024.05.14 03:28 Lilith_Cain Imallure Cheongsam review

Imallure Cheongsam review
Please excuse my potato phone camera
I'm 5'0" and U.S. street size 12/14. I ordered this dress: https://imallure.com/collections/red-cheongsam/products/wine-red-lace-a-line-qipao-cheongsam-dress . Order was placed April 13 with custom measurements, and I received follow-up emails on April 15 and April 17 for additional measurements. Dress arrived May 11.
Requested measurements were: bust, waist, hips, height, weight, dress length, neck, armhole, and shoulder distance. (I'm confident taking my own measurements; my mother used to work in a fabric store; I also submitted my measurements in metric).

4.98/5 would buy again, very satisfied, etc. Fits great! It's super comfortable.

Notes: Lace is a different color than the base layer (red-orange instead of red-red like the product photo; it's fine though); plastic snap closure at the neck instead of a metal hook; no tags nor care instructions; no shipping notification, but arrived via domestic USPS (likely drop shipped)
submitted by Lilith_Cain to weddingplanning [link] [comments]


2024.05.14 03:27 vespaking Entry level cleaver first impressions: Hatsukokoro Chinese Cleaver

I recently sought recommendations for my first Chinese cleaver on this sub and opted for Hatsukokoro over the more often suggested CCK due to similar pricing and a preference for San Mai construction.
I havent spent a ton of time with it but initial impressions are disappointing.
The Kurouchi (forge scale) finish seems more like a post-forging forced oxidation than an actual forge scale finish. Its basically a layer of rust thats not particularly well adhered to the blade and wipes off pretty easily.
Edge retention was another letdown; it's supposedly Shirogami #2 steel with a Rockwell hardness of 61-62, but I wasn't able to get a clean edge at even 20DPS on my guided system. The steel just doesn't seem fine grained or hard enough. Perhaps some more experienced folks here can educate me on this... am I being unreasonable to expect a clean edge on this steel at under 20DPS?
In practice, the knife performs adequately, excelling in slicing vegetables and has a light feel in hand. As an entry to the genre for me, I'm glad I didn't spend more. Since I'm a complete knife snob, I'll be looking to upgrade eventually though.
submitted by vespaking to TrueChefKnives [link] [comments]


2024.05.14 03:15 MILFVADER Wide foot friendly alternative to 1460 Pascal Bex? Or wide foot friendly alternative brand to Dr Martens?

I've had enough of my 1460 Pascal Bex boots. They're simply not working with my wider feet. I got my true size (women 11) and they were too long, I got one size down which fits better in length, but absolutely crushes my feet in width.
No amount of breaking the boots in, wearing multiple layers of socks, stretching/waxing etc was helping, and I'm over having to wear a shoe for weeks/months to make it comfortable. I hate sore feet and blisters.
I'm going to be selling my pair AGAIN and am done with Dr Martens for the time being. The Bex is the only look I like.
Does anyone have any recommendations for boots that look like the Bex, but are wide foot friendly? Or even recommendations for a leather boot brand that fit wide feet too?
Thanks!
submitted by MILFVADER to DrMartens [link] [comments]


2024.05.14 02:51 No_Series7403 Pistol vs Carbine gas system

Looking to build my GP rifle. I’m sold on 300 blackout. I need the flexibility to hit targets out to 300ish. Everything from varmints to medium game, deer, hogs. I have a quiet device I plan to use from my 308. I reload already so building ammo to shoot super and sub isn’t a big deal. I would like to keep a 16” barrel.
I need some advice on the gas length pros cons.
submitted by No_Series7403 to ar15 [link] [comments]


2024.05.14 02:19 Budget_Treat_6776 Planet Zelo: Zorvania

Planet Zelo: Zorvania
Supercontinent: Zorvania
Geography Formation:
  • Continental formation: The continents on Planet Zelo were formed through a combination of tectonic plate movement and volcanic activity, resulting in a diverse range of geological formations. The process of continental formation was slow and gradual, with continents colliding and drifting apart over millions of years.
  • Mountain ranges: The mountain ranges on Planet Zelo are characterized by their serrated peaks, formed through a process of continuous tectonic uplift and erosion. The ranges are dotted with glaciers, lakes, and waterfalls, creating a breathtaking landscape. The mountains are home to a diverse range of flora and fauna, adapted to the harsh and rugged conditions.
  • Valleys and canyons: The valleys and canyons on Planet Zelo are deep and winding, carved out by ancient rivers and glaciers. They are home to a diverse range of flora and fauna, and offer stunning vistas and hiking opportunities. The valleys and canyons are also home to ancient ruins and artifacts, left behind by long-lost civilizations.
  • Coastlines: The coastlines of Planet Zelo are rugged and rocky, with towering cliffs, hidden coves, and sandy beaches. The planet's unique tidal patterns have created a range of fascinating coastal formations, including sea arches, stacks, and islands. The coastlines are also home to a diverse range of marine life, including coral reefs, kelp forests, and sea grass beds.
[ic]Geography Texture:
  • Terrain texture: The terrain on Planet Zelo is varied and complex, with a range of textures including rocky outcrops, sandy dunes, and lush vegetation. The terrain is constantly changing, with weather patterns and geological processes shaping the landscape.
  • Vegetation: The vegetation on Planet Zelo is diverse and vibrant, with a range of flora adapted to the planet's unique climate and geography. From towering trees to delicate wildflowers, the planet's vegetation is a key feature of its geography. The vegetation is also home to a diverse range of fauna, including insects, birds, and mammals.
  • Water texture: The water on Planet Zelo is crystal clear, with a range of textures including calm lakes, rushing rivers, and crashing ocean waves. The planet's unique tidal patterns have created a range of fascinating water formations, including tidal pools, estuaries, and deltas. The water is also home to a diverse range of marine life, including fish, crustaceans, and mollusks.
  • Mountain ranges: The height of each peak can be determined by the Zelorion Ratio, with each peak being a certain percentage of the height of the previous peak.
  • Valleys and canyons: The depth and width of valleys and canyons can be determined by the Zelorion Ratio, creating a harmonious and balanced landscape.
  • Coastlines: The shape and size of bays, inlets, and peninsulas can be determined by the Zelorion Ratio, creating a diverse and visually appealing coastline.
  • Vegetation: The growth patterns of trees, the arrangement of leaves, and the shape of flowers can be influenced by the Zelorion Ratio, creating a natural and harmonious landscape.
  • Water formations: The shape and size of lakes, rivers, and ocean waves can be determined by the Zelorion Ratio, creating a sense of balance and proportion.
  • Mountain ranges:
    • Peak 1: 0% of the maximum height (0/4)
    • Peak 2: 50% of the maximum height (4/8)
    • Peak 3: 66.6% of the maximum height (8/12)
    • Peak 4: 75% of the maximum height (12/16)
    • Peak 5: 80% of the maximum height (16/20)
  • Valleys and canyons:
    • Valley 1: 0% of the maximum depth (0/4)
    • Valley 2: 50% of the maximum depth (4/8)
    • Valley 3: 66.6% of the maximum depth (8/12)
    • Valley 4: 75% of the maximum depth (12/16)
    • Valley 5: 80% of the maximum depth (16/20)
  • Coastlines:
    • Bay 1: 0% of the maximum size (0/4)
    • Bay 2: 50% of the maximum size (4/8)
    • Bay 3: 66.6% of the maximum size (8/12)
    • Bay 4: 75% of the maximum size (12/16)
    • Bay 5: 80% of the maximum size (16/20)
  • Vegetation:
    • Tree 1: 0% of the maximum height (0/4)
    • Tree 2: 50% of the maximum height (4/8)
    • Tree 3: 66.6% of the maximum height (8/12)
    • Tree 4: 75% of the maximum height (12/16)
    • Tree 5: 80% of the maximum height (16/20)
  • Water formations:
    • Lake 1: 0% of the maximum size (0/4)
    • Lake 2: 50% of the maximum size (4/8)
    • Lake 3: 66.6% of the maximum size (8/12)
    • Lake 4: 75% of the maximum size (12/16)
    • Lake 5: 80% of the maximum size (16/20)
  • Waterfalls:
    • Waterfall 1: 0% of the maximum height (0/4)
    • Waterfall 2: 50% of the maximum height (4/8)
    • Waterfall 3: 66.6% of the maximum height (8/12)
    • Waterfall 4: 75% of the maximum height (12/16)
    • Waterfall 5: 80% of the maximum height (16/20)
  • Islands:
    • Island 1: 0% of the maximum size (0/4)
    • Island 2: 50% of the maximum size (4/8)
    • Island 3: 66.6% of the maximum size (8/12)
    • Island 4: 75% of the maximum size (12/16)
    • Island 5: 80% of the maximum size (16/20)
  • Caves:
    • Cave 1: 0% of the maximum depth (0/4)
    • Cave 2: 50% of the maximum depth (4/8)
    • Cave 3: 66.6% of the maximum depth (8/12)
    • Cave 4: 75% of the maximum depth (12/16)
    • Cave 5: 80% of the maximum depth (16/20)
  • Rivers:
    • River 1: 0% of the maximum length (0/4)
    • River 2: 50% of the maximum length (4/8)
    • River 3: 66.6% of the maximum length (8/12)
    • River 4: 75% of the maximum length (12/16)
    • River 5: 80% of the maximum length (16/20)
  • Mountains:
    • Mountain 1: 0% of the maximum height (0/4)
    • Mountain 2: 50% of the maximum height (4/8)
    • Mountain 3: 66.6% of the maximum height (8/12)
    • Mountain 4: 75% of the maximum height (12/16)
    • Mountain 5: 80% of the maximum height (16/20)
  • Atmospheric conditions:
    • Temperature: 0% of the maximum temperature (0/4)
    • Humidity: 50% of the maximum humidity (4/8)
    • Wind speed: 66.6% of the maximum wind speed (8/12)
  • Geological formations:
    • Rock layers: 0% of the maximum thickness (0/4)
    • Fossil deposits: 50% of the maximum depth (4/8)
    • Mineral deposits: 66.6% of the maximum concentration (8/12)
  • Weather patterns:
    • Cloud coverage: 0% of the maximum coverage (0/4)
    • Precipitation: 50% of the maximum amount (4/8)
    • Storm intensity: 66.6% of the maximum strength (8/12)
  • Ocean currents:
    • Surface currents: 0% of the maximum speed (0/4)
    • Deep-water currents: 50% of the maximum speed (4/8)
    • Tidal patterns: 66.6% of the maximum amplitude (8/12)
  • Geological processes:
    • Plate tectonics: 0% of the maximum rate (0/4)
    • Volcanic activity: 50% of the maximum frequency (4/8)
    • Erosion rates: 66.6% of the maximum rate (8/12)
  • Ecosystems:
    • Forest density: 0% of the maximum density (0/4)
    • Grassland coverage: 50% of the maximum coverage (4/8)
    • Marine biodiversity: 66.6% of the maximum diversity (8/12)
  • Ocean depth:
    • Shallow waters: 0% of the maximum depth (0/4)
    • Continental shelves: 50% of the maximum depth (4/8)
    • Deep-sea trenches: 66.6% of the maximum depth (8/12)
    • Challenger Deep: 80% of the maximum depth (16/20)
  • Ocean volume:
    • Surface waters: 0% of the maximum volume (0/4)
    • Mesopelagic zone: 50% of the maximum volume (4/8)
    • Bathypelagic zone: 66.6% of the maximum volume (8/12)
    • Deep-sea trenches: 80% of the maximum volume (16/20)
  • Ocean range:
    • Coastal waters: 0% of the maximum range (0/4)
    • Open ocean: 50% of the maximum range (4/8)
    • Oceanic ridges: 66.6% of the maximum range (8/12)
    • Oceanic trenches: 80% of the maximum range (16/20)
  • Seafloor features:
    • Mid-ocean ridges: 0% of the maximum length (0/4)
    • Oceanic trenches: 50% of the maximum length (4/8)
    • Seamounts: 66.6% of the maximum height (8/12)
    • Guyots: 80% of the maximum height (16/20)
  • Terrestrial life:
    • Microorganisms: 0% of the maximum abundance (0/4)
    • Insects: 50% of the maximum diversity (4/8)
    • Small mammals: 66.6% of the maximum diversity (8/12)
    • Large terrestrial animals: 80% of the maximum diversity (16/20)
  • Terrestrial animals by size:
    • Small (0-10 kg): 0% of the maximum diversity (0/4)
    • Medium (10-50 kg): 50% of the maximum diversity (4/8)
    • Large (50-100 kg): 66.6% of the maximum diversity (8/12)
    • Extra Large (100+ kg): 80% of the maximum diversity (16/20)
  • Terrestrial animals by habitat:
    • Desert: 0% of the maximum diversity (0/4)
    • Grassland: 50% of the maximum diversity (4/8)
    • Forest: 66.6% of the maximum diversity (8/12)
    • Mountain: 80% of the maximum diversity (16/20)
-Mountain Ranges:-
  • -Peak 1:- 0% of the maximum height
  • -Peak 2:- 50% of the maximum height
  • -Peak 3:- 66.6% of the maximum height
  • -Peak 4:- 75% of the maximum height
  • -Peak 5:- 80% of the maximum height
-Valleys and Canyons:-
  • -Valley 1:- 0% of the maximum depth
  • -Valley 2:- 50% of the maximum depth
  • -Valley 3:- 66.6% of the maximum depth
  • -Valley 4:- 75% of the maximum depth
  • -Valley 5:- 80% of the maximum depth
-Coastlines:-
  • -Bay 1:- 0% of the maximum size
  • -Bay 2:- 50% of the maximum size
  • -Bay 3:- 66.6% of the maximum size
  • -Bay 4:- 75% of the maximum size
  • -Bay 5:- 80% of the maximum size
-Vegetation:-
  • -Tree 1:- 0% of the maximum height
  • -Tree 2:- 50% of the maximum height
  • -Tree 3:- 66.6% of the maximum height
  • -Tree 4:- 75% of the maximum height
  • -Tree 5:- 80% of the maximum height
-Water Formations:-
  • -Lake 1:- 0% of the maximum size
  • -Lake 2:- 50% of the maximum size
  • -Lake 3:- 66.6% of the maximum size
  • -Lake 4:- 75% of the maximum size
  • -Lake 5:- 80% of the maximum size
-Waterfalls:-
  • -Waterfall 1:- 0% of the maximum height
  • -Waterfall 2:- 50% of the maximum height
  • -Waterfall 3:- 66.6% of the maximum height
  • -Waterfall 4:- 75% of the maximum height
  • -Waterfall 5:- 80% of the maximum height
-Islands:-
  • -Island 1:- 0% of the maximum size
  • -Island 2:- 50% of the maximum size
  • -Island 3:- 66.6% of the maximum size
  • -Island 4:- 75% of the maximum size
  • -Island 5:- 80% of the maximum size
-Caves:-
  • -Cave 1:- 0% of the maximum depth
  • -Cave 2:- 50% of the maximum depth
  • -Cave 3:- 66.6% of the maximum depth
  • -Cave 4:- 75% of the maximum depth
  • -Cave 5:- 80% of the maximum depth
-Rivers:-
  • -River 1:- 0% of the maximum length
  • -River 2:- 50% of the maximum length
  • -River 3:- 66.6% of the maximum length
  • -River 4:- 75% of the maximum length
  • -River 5:- 80% of the maximum length
--- Environmental Conditions
-Atmospheric Conditions:-
  • -Temperature:- 0% of the maximum temperature
  • -Humidity:- 50% of the maximum humidity
  • -Wind Speed:- 66.6% of the maximum wind speed
-Geological Formations:-
  • -Rock Layers:- 0% of the maximum thickness
  • -Fossil Deposits:- 50% of the maximum depth
  • -Mineral Deposits:- 66.6% of the maximum concentration
-Weather Patterns:-
  • -Cloud Coverage:- 0% of the maximum coverage
  • -Precipitation:- 50% of the maximum amount
  • -Storm Intensity:- 66.6% of the maximum strength
-Ocean Currents:-
  • -Surface Currents:- 0% of the maximum speed
  • -Deep-Water Currents:- 50% of the maximum speed
  • -Tidal Patterns:- 66.6% of the maximum amplitude
-Geological Processes:-
  • -Plate Tectonics:- 0% of the maximum rate
  • -Volcanic Activity:- 50% of the maximum frequency
  • -Erosion Rates:- 66.6% of the maximum rate
--- Ecosystems
-Forest Density:-
  • -Forest 1:- 0% of the maximum density
  • -Forest 2:- 50% of the maximum density
  • -Forest 3:- 66.6% of the maximum density
  • -Forest 4:- 75% of the maximum density
  • -Forest 5:- 80% of the maximum density
-Grassland Coverage:-
  • -Grassland 1:- 0% of the maximum coverage
  • -Grassland 2:- 50% of the maximum coverage
  • -Grassland 3:- 66.6% of the maximum coverage
  • -Grassland 4:- 75% of the maximum coverage
  • -Grassland 5:- 80% of the maximum coverage
-Marine Biodiversity:-
  • -Marine Life 1:- 0% of the maximum diversity
  • -Marine Life 2:- 50% of the maximum diversity
  • -Marine Life 3:- 66.6% of the maximum diversity
  • -Marine Life 4:- 75% of the maximum diversity
  • -Marine Life 5:- 80% of the maximum diversity
-Aquatic Ecosystems:-
  • -Ecosystem 1:- 0% of the maximum health
  • -Ecosystem 2:- 50% of the maximum health
  • -Ecosystem 3:- 66.6% of the maximum health
  • -Ecosystem 4:- 75% of the maximum health
  • -Ecosystem 5:- 80% of the maximum health
-Desert Biodiversity:-
  • -Desert Life 1:- 0% of the maximum diversity
  • -Desert Life 2:- 50% of the maximum diversity
  • -Desert Life 3:- 66.6% of the maximum diversity
  • -Desert Life 4:- 75% of the maximum diversity
  • -Desert Life 5:- 80% of the maximum diversity
-Mountain Biodiversity:-
  • -Mountain Life 1:- 0% of the maximum diversity
  • -Mountain Life 2:- 50% of the maximum diversity
  • -Mountain Life 3:- 66.6% of the maximum diversity
  • -Mountain Life 4:- 75% of the maximum diversity
  • -Mountain Life 5:- 80% of the maximum diversity
-Wetland Biodiversity:-
  • -Wetland Life 1:- 0% of the maximum diversity
  • -Wetland Life 2:- 50% of the maximum diversity
  • -Wetland Life 3:- 66.6% of the maximum diversity
  • -Wetland Life 4:- 75% of the maximum diversity
  • -Wetland Life 5:- 80% of the maximum diversity
-Floral Diversity:-
  • -Flora 1:- 0% of the maximum diversity
  • -Flora 2:- 50% of the maximum diversity
  • -Flora 3:- 66.6% of the maximum diversity
  • -Flora 4:- 75% of the maximum diversity
  • -Flora 5:- 80% of the maximum diversity
-Faunal Diversity:-
  • -Fauna 1:- 0% of the maximum diversity
  • -Fauna 2:- 50% of the maximum diversity
  • -Fauna 3:- 66.6% of the maximum diversity
  • -Fauna 4:- 75% of the maximum diversity
  • -Fauna 5:- 80% of the maximum diversity
-Ecosystem Resilience:-
  • -Ecosystem 1:- 0% of the maximum resilience
  • -Ecosystem 2:- 50% of the maximum resilience
  • -Ecosystem 3:- 66.6% of the maximum resilience
  • -Ecosystem 4:- 75% of the maximum resilience
  • -Ecosystem 5:- 80% of the maximum
Creator signature: Infinitarus, The Transcendent Architect A.K.A Eternum
submitted by Budget_Treat_6776 to worldbuilding [link] [comments]


2024.05.14 02:17 TheGrandPoohBear Music/artists like UV Sir J?

He was pretty prolific almost a decade ago then disappeared. His layering and synth use is unlike anyone I've heard before. Anyone know of artists who make music like his? Here's an example: https://soundcloud.com/not-applicable-821752373/uv-sir-j-roundabout-yes?si=a52971e027fd40dd9e1172c63fc7a18f&utm_source=clipboard&utm_medium=text&utm_campaign=social_sharing
submitted by TheGrandPoohBear to Music [link] [comments]


2024.05.14 02:13 chrio7 Help

23 M- ’ve been dealing with what i believe is dry scalp for so long now, unable to find a permanent solution. i used to think it was just seasonal in the summer heat, but it’s been constant for so long now.
My main issue is that whenever i engage in any moderate physical exercise, creating any sort of sweat, my scalp becomes unbearably itchy and painful. (currently writing this while hiking in sunny 70° weather because of how bad it is). i try my best not to scratch and irritate it , but it is near impossible to leave alone. i am constantly running my hands through my hair for temporary relief. it makes weight lifting dreadful.
Also at work, when anything stressful happens and i become nervous and warm (slightly sweaty) , the itching comes on.
I have short to medium length curly hair . I have tried Nizoral, plenty dandruff shampoos, oils like Aragon and rosemary directly on my scalp. I also shower in luke warm water instead of hot, i use what i think are good moisturizing shampoos and conditioners, washing every 2-3 days, i also use leave in conditioners to style my hair pretty often, not sure how that impacts it. what has helped in the past , although not consistently, is head and shoulders. i would use it more often but folks say its not good for your hair.
Looking for any advice and help. TIA
Side note, it may be completely unrelated but after every time i shower , no matter where, my body (arms and legs the most) become so so itchy as well. even with oils or lotions, but for like 10-15 minutes and then it’s fine.
submitted by chrio7 to Haircare [link] [comments]


2024.05.14 02:07 Babababonfire505 Grommets for Ski Bag (Thick Material)

Grommets for Ski Bag (Thick Material)
My ski bag zipper go mangled beyond repair by TSA. I don’t want to replace it as they are expensive and money doesn’t grow on trees. Plus who doesn’t enjoy being resourceful in our throwaway world?
I was thinking of forgoing the zipper completely and putting grommets the entire length on each side of the zipper and using a heavy duty shoelace(s) and cinche it up tight for travel. Its thick material, one side is like a synthetic canvas, the other side is tarp material with a layer of insulation between. Uncompressed I’d guess about 3/16” thick, compressed maybe down to an 1/8” or so.
My question to the community is, is this a decent plan? And most importantly, what kind of grommets and grommet tool do I need for material like this.
Thank you in advance for reading and your responses :)
submitted by Babababonfire505 to sewing [link] [comments]


2024.05.14 01:37 sikkislitty Looking for AM/PM Grill tutor help.

TL:DR - Looking for a list of steps I can follow to guide me for AM/PM grill. Store has no hours to train me at the moment, but I really want to learn the position
Hello I want to learn grill. Unfortunately with my store’s ADS and labor right now it looks like my training is going to keep getting pushed off.
In the meantime I am trying to pick up more AM chip shifts and PM prep shifts, so that I can squeeze in minutes here and there to shadow the grill person.
Thanks for your help. Here is a cheatsheet I wrote for myself after watching the Spice Hub videos to show you where I am at with what I know:
❗️Barbacoa - put meat in pot - Medium heat until 165 for 15 seconds (stir occasionally)
❗️Carnitas - put meat in pot - Low heat until 165 for 15 seconds (stir occasionally)
❗️Beans - open bag into pot - Pour 1 cup water - Medium heat and stir - Temp to 165 - 1/3 c citrus and 1 tbsp salt and stir
❗️Chicken - 2 squirts of rice bran oil per line - Rows 1 inch apart. Start back to front - Light layer of salt 8 inches above - Cook until dark char plus whitening along sides - Flip - Submerge tong after 1st flip - 165 (temp center and corner chickens) - Cut 3/4inch (put immediately in pan while cutting more)
❗️Fajitas - 4 squirts sunflower oil - Add fajitas then 3.5 minutes - Flip with tongs - 1 minute for caramelize - Then sprinkle with salt light layer and 1 tsp dried oregano
❗️Queso - medium heat water pot 190-200 degrees - Write time on bag - 35-50 mins - Knead bag with towel - Temp to 165
❗️Rice - white: 1/2 citrus 2c cilantro 2tbsp salt - Brown: 1/4 citrus 2c cilantro 1tbsp salt
❗️Sofritas - pour medium heat stir temp to 165
❗️Steak - place 1” apart back to front - Sprinkle with salt light layer - Cook until dark char - Flip steak back to forward - Temp to 140 - Deep and cover - Trim fat - 3 steak cut at a time - Pour juice over it
submitted by sikkislitty to Chipotle [link] [comments]


2024.05.14 01:17 BlendinMediaCorp My first mousse cake and my first time using ganache!

My first mousse cake and my first time using ganache!
For his birthday, my husband requested a cake that was “chocolate, with… like chocolate creamy stuff”. So I decided on a triple chocolate mousse cake. I wanted it to be as airy as possible, so decided to go classic with the mousse, using a meringue in it and all. The layers:
  • Devil’s Food Cake from Stella Parks as the base (always amazing, every time I make it I wonder why I ever make anything else)
  • Dark (70%) chocolate mousse from Bon Appetit
  • White chocolate mousse from Ash Baber (half recipe)
  • Dark (30%) chocolate ganache (1:1 ratio, 8oz total)
  • (note: both mousse recipes say whip the cream to stiff peaks, but I found it much easier to just have it at medium peaks, a bit shy of stiff. Otherwise it was really hard to incorporate into the chocolate.)
I built it bombe style (freeze the cake base, then top with chocolate mousse, freeze and then top with white chocolate mousse, freeze then top with ganache).
It was also my first time using a cake collar and acetate liner … I somehow got the liner stuck on one of the cake collar hooks but managed to get it off without mangling the cake too much.
Not to pat myself on the back but it really tasted incredible. Like an ice cream cloud in cake form — super decadent and pillowy without being overly sweet.
Can’t wait to do this again someday, hopefully without screwing up the chocolate mousse twice and having to start over! (I have soooooo many leftover egg white because of this 😂)
submitted by BlendinMediaCorp to Baking [link] [comments]


2024.05.14 01:14 Spellscribe Fine and thin style cut tips?

My hair is fine and thin - not falling out, just skinny strands that I've always had, and fewers hairs to fill the gaps. I'm generally pretty gentle and low maintenance with it - I rarely use heat, barely use styling products, just wash/condition/add a leave in conditioner or serum. I trend towards dry hair, that's a bit frizzy, with curls ranginging from a few corkscrews to that one la my but at the front that is barely a wave.
I'm way overdue for a haircut (like... A year 🙈) and have a solid inch or two of heavy grey. I'm considering lopping it all off for a short, bouncy cut - longer than a pixie but only by enough to let it curl. I'm just worried it's no longer thick enough to pull off, or that I'll end up looking like Betty White before my time 😅
I've tried online but I can't find images of hairstyles for genuinely thin hair. All the models look like they have 10x the density I do. Or it's just style tips to fluff it up, rather than advice on length and layers.
Any advice?
submitted by Spellscribe to curlyhair [link] [comments]


2024.05.14 01:05 sunflowerorbital Why do my waves disappear when my hairs longer?

So like 3 years ago I shaved all my hair off and it was very wavy while it was growing back. Once it reached a certain length it looses it’s definition and becomes more frizzy than wavy. I do have like really thick hair but even after getting thinning layers my waves still aren’t as defined as when my hair is short. What can I do to change this? I currently use leave in conditioner for wavy hair and wear a satin bonnet while sleeping, that has helped a bit but not as much as I’d like.
submitted by sunflowerorbital to Wavyhair [link] [comments]


2024.05.14 00:30 Banono-boat Hair products to beat insane summer humidity and keep your blowout fresh?

I’m moving to Japan in July and am super excited. I am also into putting effort into my appearance no matter the season lol. I’ve been giving myself at-home blowouts for most of my adult life, but where I live currently is not quite as humid (nor humid for as long of a time) as Japan - so I’m wondering if anyone has recommendations for products that work well for preserving a blow dry during extremely humid summers - sprays, creams, whatever. Bonus points if it’s something I might be able to get my hands on now to test out! I have tried Color Wow, and wasn’t impressed. It made my hair feel straw like after two uses despite following the instructions to a T. I’m a little worried some of the Asian beauty products will be too heavy for my hair.
I am white, and have somewhat wavy hair that will start to make really nice waves at home but become super prone to frizz if I breathe on it wrong. My hair is very fine but of medium thickness, long, with long layers. I prefer an old school-type blowout with just a regular dryer with a nozzle and a round brush. Depending on the look and how much time I have, I’ll either quickly go over everything with a flat iron, set it, or curl it. I prefer a sleek/straight look with some volume for everyday. I shower at night so unless it’s for an event, I typically blow dry at night and then touch up in the morning. I thought about just getting a straightening treatment in Japan once I get there, but I get highlights, so I’m definitely not a good candidate for that.
submitted by Banono-boat to beauty [link] [comments]


http://rodzice.org/