• Log InLog In
  • Register
Liquid`
Team Liquid Liquipedia
EDT 07:37
CET 12:37
KST 20:37
  • Home
  • Forum
  • Calendar
  • Streams
  • Liquipedia
  • Features
  • Store
  • EPT
  • TL+
  • StarCraft 2
  • Brood War
  • Smash
  • Heroes
  • Counter-Strike
  • Overwatch
  • Liquibet
  • Fantasy StarCraft
  • TLPD
  • StarCraft 2
  • Brood War
  • Blogs
Forum Sidebar
Events/Features
News
Featured News
ByuL: The Forgotten Master of ZvT30Behind the Blue - Team Liquid History Book19Clem wins HomeStory Cup 289HomeStory Cup 28 - Info & Preview13Rongyi Cup S3 - Preview & Info8
Community News
2026 KongFu Cup Announcement3BGE Stara Zagora 2026 cancelled12Blizzard Classic Cup - Tastosis announced as captains15Weekly Cups (March 2-8): ByuN overcomes PvT block4GSL CK - New online series18
StarCraft 2
General
BGE Stara Zagora 2026 cancelled Blizzard Classic Cup - Tastosis announced as captains BGE Stara Zagora 2026 announced ByuL: The Forgotten Master of ZvT Terran AddOns placement
Tourneys
RSL Season 4 announced for March-April PIG STY FESTIVAL 7.0! (19 Feb - 1 Mar) Sparkling Tuna Cup - Weekly Open Tournament 2026 KongFu Cup Announcement [GSL CK] Team Maru vs. Team herO
Strategy
Custom Maps
Publishing has been re-enabled! [Feb 24th 2026] Map Editor closed ?
External Content
The PondCast: SC2 News & Results Mutation # 516 Specter of Death Mutation # 515 Together Forever Mutation # 514 Ulnar New Year
Brood War
General
BGH Auto Balance -> http://bghmmr.eu/ BSL 22 Map Contest — Submissions OPEN to March 10 ASL21 General Discussion Are you ready for ASL 21? Hype VIDEO Gypsy to Korea
Tourneys
[Megathread] Daily Proleagues [BSL22] Open Qualifiers & Ladder Tours IPSL Spring 2026 is here! ASL Season 21 Qualifiers March 7-8
Strategy
Simple Questions, Simple Answers Soma's 9 hatch build from ASL Game 2 Fighting Spirit mining rates Zealot bombing is no longer popular?
Other Games
General Games
Stormgate/Frost Giant Megathread Path of Exile Nintendo Switch Thread PC Games Sales Thread No Man's Sky (PS4 and PC)
Dota 2
Official 'what is Dota anymore' discussion The Story of Wings Gaming
League of Legends
Heroes of the Storm
Simple Questions, Simple Answers Heroes of the Storm 2.0
Hearthstone
Deck construction bug Heroes of StarCraft mini-set
TL Mafia
Five o'clock TL Mafia Mafia Game Mode Feedback/Ideas Vanilla Mini Mafia TL Mafia Community Thread
Community
General
US Politics Mega-thread Mexico's Drug War Russo-Ukrainian War Thread Things Aren’t Peaceful in Palestine NASA and the Private Sector
Fan Clubs
The IdrA Fan Club
Media & Entertainment
[Manga] One Piece Movie Discussion! [Req][Books] Good Fantasy/SciFi books
Sports
Formula 1 Discussion 2024 - 2026 Football Thread General nutrition recommendations Cricket [SPORT] TL MMA Pick'em Pool 2013
World Cup 2022
Tech Support
Laptop capable of using Photoshop Lightroom?
TL Community
The Automated Ban List
Blogs
Funny Nicknames
LUCKY_NOOB
Money Laundering In Video Ga…
TrAiDoS
Iranian anarchists: organize…
XenOsky
FS++
Kraekkling
Shocked by a laser…
Spydermine0240
Unintentional protectionism…
Uldridge
ASL S21 English Commentary…
namkraft
Customize Sidebar...

Website Feedback

Closed Threads



Active: 3342 users

The Big Programming Thread - Page 1006

Forum Index > General Forum
Post a Reply
Prev 1 1004 1005 1006 1007 1008 1032 Next
Thread Rules
1. This is not a "do my homework for me" thread. If you have specific questions, ask, but don't post an assignment or homework problem and expect an exact solution.
2. No recruiting for your cockamamie projects (you won't replace facebook with 3 dudes you found on the internet and $20)
3. If you can't articulate why a language is bad, don't start slinging shit about it. Just remember that nothing is worse than making CSS IE6 compatible.
4. Use [code] tags to format code blocks.
Manit0u
Profile Blog Joined August 2004
Poland17693 Posts
May 14 2019 18:28 GMT
#20101
On May 15 2019 01:08 enigmaticcam wrote:
I've got this MS SQL script that I can't figure out. See below (generalized):
merge TableTarget TGT
using (
select * from TableSource
) as SRC
on TGT.ColumnA = SRC.ColumnA
when matched and exists (
select SRC.ColulmnB, SRC.ColumnC
except
select TGT.ColumnB, TGT.ColumnC
)
then update ...
when not matched by target then insert ...

I don't know what "when matched and exists" means, nor what the "except" statement means. I know what they mean generally speaking, and I know what a merge statement is, but in this context I can't figure out what they're trying to do. Any help would be appreciated.


Just read the docs?


WHEN MATCHED THEN <merge_matched>
Specifies that all rows of *target_table, which match the rows returned by <table_source> ON <merge_search_condition>, and satisfy any additional search condition, are either updated or deleted according to the <merge_matched> clause.

The MERGE statement can have, at most, two WHEN MATCHED clauses. If two clauses are specified, the first clause must be accompanied by an AND <search_condition> clause. For any given row, the second WHEN MATCHED clause is only applied if the first isn't. If there are two WHEN MATCHED clauses, one must specify an UPDATE action and one must specify a DELETE action. When UPDATE is specified in the <merge_matched> clause, and more than one row of <table_source> matches a row in target_table based on <merge_search_condition>, SQL Server returns an error. The MERGE statement can't update the same row more than once, or update and delete the same row.

WHEN NOT MATCHED [ BY TARGET ] THEN <merge_not_matched>
Specifies that a row is inserted into target_table for every row returned by <table_source> ON <merge_search_condition> that doesn't match a row in target_table, but satisfies an additional search condition, if present. The values to insert are specified by the <merge_not_matched> clause. The MERGE statement can have only one WHEN NOT MATCHED clause.


Basically, this inserts rows into the TARGET_TABLE if they exist in the SOURCE_TABLE but not in the TARGET_TABLE or updates rows in TARGET_TABLE if SOURCE_TABLE has different data from TARGET_TABLE in specific columns.
Time is precious. Waste it wisely.
enigmaticcam
Profile Blog Joined October 2010
United States280 Posts
May 14 2019 20:13 GMT
#20102
I already know that. I know the purpose of the merge statement, and I've used it before. But typically I've used it like this
merge Target
using Source
on join Source to Target
when matched then update
when not matched then insert

But the SQL I quoted earlier has an extra step in there and I don't know what it's doing:
merge Target
using Source
on join Source to Target
when matched and exists (something except something)
then update
when not matched then insert

How is "when matched and exists ... then update..." different than "when match then update..."?
zatic
Profile Blog Joined September 2007
Zurich15363 Posts
May 14 2019 22:17 GMT
#20103
On May 13 2019 20:59 travis wrote:
I ask because I am trying to understand how alphastar would be using an LSTM, because they must be using it for either the entire sequence of the game or for a very long sequence, because otherwise it seems useless. But... I don't really understand how.

I can't answer all the other questions because I am not too familiar with LSTM. I can give some input on where AlphaStar would use RNNs/LSTMs though:

One problem in reinforcement learning are hidden or rather partially observable features of the state. Let's look at disruptor shots. If you give the agent a frame (=state) of the game, it might be able to identify a disruptor shot. But the information of trajectory and speed of the shot is not observable from a single state. You need a temporally linked sequence of states to extract that information. RNNs are one approach of building a sequence of states to learn these partially observable features from.

In easier tasks like Atari games the agent would just repeat the last action X times per step and learn from the X states returned to extract partially observable features. LSTMs were introduced to extend this method to more complex environment and where a longer memory than the past X frames is required. But this is where my understanding hits its limit, I am still stuck below the Atari level of agent building ...

Usage of LSTMs might go well beyond that for AlphaStar, but above problem was what LSTMs where introduced to solve in reinforcement learning.
ModeratorI know Teamliquid is known as a massive building
Manit0u
Profile Blog Joined August 2004
Poland17693 Posts
Last Edited: 2019-05-16 16:19:10
May 16 2019 13:59 GMT
#20104
On May 15 2019 05:13 enigmaticcam wrote:
I already know that. I know the purpose of the merge statement, and I've used it before. But typically I've used it like this
merge Target
using Source
on join Source to Target
when matched then update
when not matched then insert

But the SQL I quoted earlier has an extra step in there and I don't know what it's doing:
merge Target
using Source
on join Source to Target
when matched and exists (something except something)
then update
when not matched then insert

How is "when matched and exists ... then update..." different than "when match then update..."?


Both conditions must be met (match must be found and exists must evaluate to true) for update to happen. In this particular case: matching rows were found and data in columns B and C is different between source and target rows for the match.

Edit:

Example:

SRC_TABLE
{ COL_A: 1, COL_B: 1, COL_C: 1 }
{ COL_A: 2, COL_B: 1, COL_C: 2 }
{ COL_A: 3, COL_B: 2, COL_C: 2 }

TGT_TABLE
{ COL_A: 1, COL_B: 1, COL_C: 1 }
{ COL_A: 2, COL_B: 1, COL_C: 1 }


Trying to do the above merge joining on COL_A and checking for exists except on COL_B and COL_C would result in:
COL_A: 1 - no action
COL_A: 2 - update
COL_A: 3 - insert

Technically this exists statement isn't really necessary here, worst case scenario is that you'll update rows to the same values which shouldn't be a problem unless it's a heavy operation or auto-updated timestamps and such shouldn't be changed if you don't really change the values. Another concern would be having to update a lot of rows, with exists you perform less update operations but more select operations to filter results and only update what's necessary.

In other news, Intel has dropped the ball again: https://www.bbc.com/news/technology-48278400
Time is precious. Waste it wisely.
Deleted User 3420
Profile Blog Joined May 2003
24492 Posts
Last Edited: 2019-05-16 15:16:21
May 16 2019 15:14 GMT
#20105
On May 15 2019 07:17 zatic wrote:
Show nested quote +
On May 13 2019 20:59 travis wrote:
I ask because I am trying to understand how alphastar would be using an LSTM, because they must be using it for either the entire sequence of the game or for a very long sequence, because otherwise it seems useless. But... I don't really understand how.

I can't answer all the other questions because I am not too familiar with LSTM. I can give some input on where AlphaStar would use RNNs/LSTMs though:

One problem in reinforcement learning are hidden or rather partially observable features of the state. Let's look at disruptor shots. If you give the agent a frame (=state) of the game, it might be able to identify a disruptor shot. But the information of trajectory and speed of the shot is not observable from a single state. You need a temporally linked sequence of states to extract that information. RNNs are one approach of building a sequence of states to learn these partially observable features from.

In easier tasks like Atari games the agent would just repeat the last action X times per step and learn from the X states returned to extract partially observable features. LSTMs were introduced to extend this method to more complex environment and where a longer memory than the past X frames is required. But this is where my understanding hits its limit, I am still stuck below the Atari level of agent building ...

Usage of LSTMs might go well beyond that for AlphaStar, but above problem was what LSTMs where introduced to solve in reinforcement learning.


You pretty much covered the extent of my understanding as well

I suppose that it might be similar to the mystery that is the relationships within the hidden layers of the network: it's hard to understand what relationships they are actually modeling.

So maybe what happens is that it might take say, the last 100 steps, and combine it into a much smaller space than your original input of a single frame - yet still correctly capture important relationships even though it may not be organized like your original input space.
Nesserev
Profile Blog Joined January 2011
Belgium2760 Posts
Last Edited: 2019-05-16 15:41:51
May 16 2019 15:40 GMT
#20106
--- Nuked ---
solidbebe
Profile Blog Joined November 2010
Netherlands4921 Posts
May 16 2019 16:34 GMT
#20107
On May 17 2019 00:40 Nesserev wrote:
Show nested quote +
On May 16 2019 22:59 Manit0u wrote:
In other news, Intel has dropped the ball again: https://www.bbc.com/news/technology-48278400

Isn't it weird how every team now markets the vulnerability that they've found: ridiculous names, with a logo, and with its own website (zombieloadattack.com), etc.

It isnt that weird, theyre just trying to get recognition. If you are the guy who discovered 'the Heartbleed bug' that everyone was talking about for a month, it looks pretty good on your CV.
That's the 2nd time in a week I've seen someone sig a quote from this GD and I have never witnessed a sig quote happen in my TL history ever before. -Najda
ZenithM
Profile Joined February 2011
France15952 Posts
Last Edited: 2019-05-16 17:37:01
May 16 2019 17:17 GMT
#20108
@travis if that can help with your understanding of RNNs.

You can view a typical LSTM/GRU network as this simple diagram on the left.
https://www.researchgate.net/figure/The-standard-RNN-and-unfolded-RNN_fig1_318332317
You have to imagine this device (the "unit") receiving some kind of sequential input signal (x_0, x_1, ... x_n). Usually it's a time series or a natural language sentence (this is what I'm most familiar with, a sequence of words). The elements of the sequence are fed 1 by 1 to the unit, and it performs some computation, based not only on the current input (of course), but also based on the outcome of the previous computation step. It's the only concept of "memory": the fact that there is a recurrence relation tying input and result of the computation (hence Recurrent NN). You can imagine that this indeed allows you to somewhat remember the history of what you did with the sequence. In a way you approximate the complete sequence with some aggregate computed every step of the way. You can choose to also output something at every step of the computation (for example, if we're talking words, you can output words at each step, like in machine translation, or if we're talking Go boardstate, maybe a recommended next move), but it's not required, maybe you just want to predict something at the very end after processing the entire sequence (like weather forecast).

A RNN unit is typically not a big structure (again, figure on the left), so why do we call that "deep" learning then? Because in the end, the complete computation performed by the network on the entire sequence can be represented by the unfolded network (figure on the right), materializing the same actual unit as multiple units at different points in time. And this network has potentially a LOT of connections/layers, depending on the length of the sequence.

Some rapid-fire answers to your previous questions:

Is that initialized as all zeros?

Yes, there is a definition for the initial values used. For example here: https://en.wikipedia.org/wiki/Long_short-term_memory it's indeed 0 (you can see it in the equations).
But how does that work when the input to the LSTM is discrete values that correspond to labels (like, types of things)

You have to find a suitable numeric (often vectors) representation for your input sequence. For example in DL for NLP (natural language, aka actual English words), we have these things called embeddings that map a word to a vector of fixed dimension (like 50, or 300).
Are all of the last K steps are somehow stored in a single vector of a size that does not change? How does that information get combined into a single vector without completely screwing up what the inputs mean?

I hope the above clarified that question. There is basically nothing physically stored but the current state. A good analogy is our brain and our own memory. Our brain is the same physical thing our whole life mostly (like, it doesn't grow in size), but our memory encoded inside is a product of everything that we've lived. We retain a lot of what we've experienced, but we also forget a lot. As you might imagine yes it's possible to screw up and lose track of what the input meant (it happens that the DL model doesn't learn anything of value).
Or is it actually stored in a 3d tensor which starts as zeros and one of the dimensions corresponds to number of remembered iterations? Thanks

So as you might guess by now, the answer is the general case of a pure RNN, no, it doesn't store every iteration. BUT, there are DL architectures that actually do store all the intermediate states of the RNN, and perform some further processing using all those. For example in language, there is this thing called an "attention layer", that takes as input all the states/products of the LSTM cells for all successive words, learns which words were retrospectively more important to focus on (and as you step back and look at the entire sequence at once, it's rather possible), and tries to favor the more important sections of the sentence. This idea helps a lot and attention-based RNNs are state-of-the-art in a lot of NLP tasks atm. It's possible to do that because sentences are typically bounded in size, you can afford to look at up to 100 LSTM states for 100 words at once, for example.


As for how to interpret what exactly a particular RNN unit does at each step (like LSTM, or the simpler GRU), and why it was designed that way, it's more nebulous, and I don't think it's something that relevant to focus on anyway (until you're really deep into this :D).
Deleted User 3420
Profile Blog Joined May 2003
24492 Posts
May 17 2019 17:30 GMT
#20109
Because of finals I can't give your post the attention it does but I just want to say that even if it takes a while to respond I appreciate the level of detail and I am definitely going to read it all.
enigmaticcam
Profile Blog Joined October 2010
United States280 Posts
May 20 2019 16:28 GMT
#20110
On May 16 2019 22:59 Manit0u wrote:
Show nested quote +
On May 15 2019 05:13 enigmaticcam wrote:
I already know that. I know the purpose of the merge statement, and I've used it before. But typically I've used it like this
merge Target
using Source
on join Source to Target
when matched then update
when not matched then insert

But the SQL I quoted earlier has an extra step in there and I don't know what it's doing:
merge Target
using Source
on join Source to Target
when matched and exists (something except something)
then update
when not matched then insert

How is "when matched and exists ... then update..." different than "when match then update..."?


Both conditions must be met (match must be found and exists must evaluate to true) for update to happen. In this particular case: matching rows were found and data in columns B and C is different between source and target rows for the match.

Edit:

Example:

SRC_TABLE
{ COL_A: 1, COL_B: 1, COL_C: 1 }
{ COL_A: 2, COL_B: 1, COL_C: 2 }
{ COL_A: 3, COL_B: 2, COL_C: 2 }

TGT_TABLE
{ COL_A: 1, COL_B: 1, COL_C: 1 }
{ COL_A: 2, COL_B: 1, COL_C: 1 }


Trying to do the above merge joining on COL_A and checking for exists except on COL_B and COL_C would result in:
COL_A: 1 - no action
COL_A: 2 - update
COL_A: 3 - insert

Technically this exists statement isn't really necessary here, worst case scenario is that you'll update rows to the same values which shouldn't be a problem unless it's a heavy operation or auto-updated timestamps and such shouldn't be changed if you don't really change the values. Another concern would be having to update a lot of rows, with exists you perform less update operations but more select operations to filter results and only update what's necessary.

In other news, Intel has dropped the ball again: https://www.bbc.com/news/technology-48278400

Thank you! Now I know why it never performs an update when I run it. Appreciate it.
Manit0u
Profile Blog Joined August 2004
Poland17693 Posts
May 21 2019 15:01 GMT
#20111
[image loading]
Time is precious. Waste it wisely.
Silvanel
Profile Blog Joined March 2003
Poland4742 Posts
Last Edited: 2019-06-05 16:17:24
June 05 2019 16:09 GMT
#20112
Hi everyone, i have slightly ofttopic question but i hope its close enough to programming to be ok.

So i have problem with open office/ google docs. What i want to do is check a value one column say A and if i find what i want get product column B * column C. And i want to do it for few hundreds rows. Sounds simple enough but i cant fit this into one cell (doing it usuing mutiple cells is simple but how to do it in one? does eanyone know?

In pseudo python it would be something like:

for row in range(1:300):
if column[A] == "ZZZ":
result = result + column[B] * column[C]

return result

But how to do it in open office/google docs ?
Pathetic Greta hater.
mahrgell
Profile Blog Joined December 2009
Germany3943 Posts
June 05 2019 16:50 GMT
#20113
On June 06 2019 01:09 Silvanel wrote:
Hi everyone, i have slightly ofttopic question but i hope its close enough to programming to be ok.

So i have problem with open office/ google docs. What i want to do is check a value one column say A and if i find what i want get product column B * column C. And i want to do it for few hundreds rows. Sounds simple enough but i cant fit this into one cell (doing it usuing mutiple cells is simple but how to do it in one? does eanyone know?

In pseudo python it would be something like:

for row in range(1:300):
if column[A] == "ZZZ":
result = result + column[B] * column[C]

return result

But how to do it in open office/google docs ?


iirc in openoffice it would be possible to:

SUMPRODUCT(A1:A300="ZZZ"; B1:B300; C1:C300)
Silvanel
Profile Blog Joined March 2003
Poland4742 Posts
June 05 2019 21:26 GMT
#20114
Thanks. I was usuing SUMPRODUCT but didnt know that You can have condition attached to range. This worked at the first try. Cheers.
Pathetic Greta hater.
Manit0u
Profile Blog Joined August 2004
Poland17693 Posts
Last Edited: 2019-06-28 00:07:42
June 28 2019 00:04 GMT
#20115
Hah, I did my first talk at IT conference. It was really awkward so let me sum it up for you:
Ruby developers in total 2 (me + 1 guy in the audience).
Overall level of talks and audience - ridiculous, compared to other talks mine was like level 2 (I wanted to do a talk about some practical implementations of fuzzy search across multiple tables in RDBMS on the back-end), others level 5, audience level was mostly 0 (the only questions other talkers got were coming from me).
It felt really weird and I'm pretty dumbfounded at 2 things:
1. How many people come to these talks just because
2. How many talks are about high level infrastructure that puts you to sleep.

At least now I know that my next talk will be about interview questions and the audience will absolutely love it.

Source code for the interested: https://bitbucket.org/kkarski/rails-model-filtering-example/src/master/
Time is precious. Waste it wisely.
Manit0u
Profile Blog Joined August 2004
Poland17693 Posts
Last Edited: 2019-06-28 00:40:24
June 28 2019 00:29 GMT
#20116
Please disregard my previous post. I wrote it after too many beers.

New challenge (I want to compare this against code I have, the most concise and easy to understand solution wins). Write this thing in different languages (I need PHP, Java, C, C++, C#, Python and Javascript): I need it to run in https://repl.it/


def first_uniq_letter(str)
return '?' unless str

uniq = str.split('').reject { |c| str.count(c) > 1 }.first

uniq || '?'
end

def test
return 'fail' unless first_uniq_letter('abba') == '?'
return 'fail' unless first_uniq_letter('') == '?'
return 'fail' unless first_uniq_letter(nil) == '?'
return 'fail' unless first_uniq_letter('tesseract') == 'r'

'ok'
end

test
=> 'ok'
Time is precious. Waste it wisely.
tofucake
Profile Blog Joined October 2009
Hyrule19194 Posts
June 28 2019 03:22 GMT
#20117
quick python 2 code:
from ordered_set import OrderedSet

def first_unique_letter(check):
if type(check) != str:
return '?'

for l in OrderedSet([c for c in check]):
if check.count(l) == 1:
return l

return '?'


def test():
if first_unique_letter('abba') != '?' or first_unique_letter('') != '?' or first_unique_letter(None) != '?' or first_unique_letter('tesseract') != 'r':
return 'fail'

return 'ok'

print test()
Liquipediaasante sana squash banana
spinesheath
Profile Blog Joined June 2009
Germany8679 Posts
June 28 2019 05:46 GMT
#20118
Here is concise C#. Introduce named variables and/or replace ?. with if for clarity to your liking. Important: GroupBy maintains order according to specification. Grouping also conveniently is a reference type unlike char. A similar approach I tried runs into the issue where FirstOrDefault returns default(char) instead of null.

char FirstUniqueLetter(string str)
{
return str?.GroupBy(x => x).FirstOrDefault(g => g.Count() == 1)?.Key ?? '?';
}
If you have a good reason to disagree with the above, please tell me. Thank you.
Apom
Profile Blog Joined August 2011
France656 Posts
Last Edited: 2019-06-28 06:51:37
June 28 2019 06:46 GMT
#20119
Depending on your definitions of "conciseness" the following C# method is more or less concise than spinesheath's:


using System;
using System.Linq;

class MainClass {
public static void Main (string[] args) {
Console.WriteLine (FirstUniqueLetter("abba"));
Console.WriteLine (FirstUniqueLetter(""));
Console.WriteLine (FirstUniqueLetter("tesseract"));
}

static char FirstUniqueLetter(string str)
{
foreach (char c in str.Distinct())
if (str.Count(s => s == c) == 1)
return c;
return '?';
}
}


In terms of readability I don't think there's much argument about it though.

Obviously this is pretty much the same as tofucake's Python version, don't think there will be much difference in any other language.
spinesheath
Profile Blog Joined June 2009
Germany8679 Posts
June 29 2019 06:20 GMT
#20120
On June 28 2019 15:46 Apom wrote:
Depending on your definitions of "conciseness" the following C# method is more or less concise than spinesheath's:


using System;
using System.Linq;

class MainClass {
public static void Main (string[] args) {
Console.WriteLine (FirstUniqueLetter("abba"));
Console.WriteLine (FirstUniqueLetter(""));
Console.WriteLine (FirstUniqueLetter("tesseract"));
}

static char FirstUniqueLetter(string str)
{
foreach (char c in str.Distinct())
if (str.Count(s => s == c) == 1)
return c;
return '?';
}
}


In terms of readability I don't think there's much argument about it though.

Obviously this is pretty much the same as tofucake's Python version, don't think there will be much difference in any other language.

According to the documentation the result of distinct is unordered, so your implementation does not necessarily return the first unique character. https://docs.microsoft.com/en-us/dotnet/api/system.linq.enumerable.distinct?view=netframework-4.8
The actual implementation is ordered, but you can't really rely on that. Plus you can just get rid of the Distinct and have the proper behavior for no real cost (if you wanted optimal performance there is a much faster approach).
If you have a good reason to disagree with the above, please tell me. Thank you.
Prev 1 1004 1005 1006 1007 1008 1032 Next
Please log in or register to reply.
Live Events Refresh
RSL Revival
10:00
Season 4: Group D
ByuN vs SHIN
Maru vs Krystianer
Tasteless1231
IndyStarCraft 211
Rex134
LiquipediaDiscussion
Sparkling Tuna Cup
10:00
Weekly #123
Shameless vs YoungYakovLIVE!
Creator vs TBD
CranKy Ducklings103
LiquipediaDiscussion
[ Submit Event ]
Live Streams
Refresh
StarCraft 2
Tasteless 1231
IndyStarCraft 211
Rex 134
StarCraft: Brood War
Sea 48706
Calm 13371
Horang2 2251
GuemChi 1882
Jaedong 1138
BeSt 860
firebathero 445
actioN 428
Mini 220
Last 199
[ Show more ]
Rush 187
Soma 183
EffOrt 153
Mind 126
Dewaltoss 113
ZerO 95
ToSsGirL 78
sorry 65
Backho 61
Hm[arnc] 58
IntoTheRainbow 37
JulyZerg 33
Barracks 29
GoRush 27
HiyA 22
ivOry 13
SilentControl 9
ajuk12(nOOB) 9
Dota 2
Gorgc4084
XaKoH 558
XcaliburYe134
League of Legends
JimRising 424
Counter-Strike
zeus481
byalli471
Super Smash Bros
Mew2King105
Heroes of the Storm
Khaldor269
MindelVK10
Other Games
B2W.Neo1356
Fuzer 178
ZerO(Twitch)16
Organizations
Dota 2
PGL Dota 2 - Main Stream22870
Other Games
gamesdonequick827
ComeBackTV 287
StarCraft: Brood War
lovetv 21
StarCraft 2
Blizzard YouTube
StarCraft: Brood War
BSLTrovo
sctven
[ Show 13 non-featured ]
StarCraft 2
• 3DClanTV 82
• CranKy Ducklings SOOP4
• AfreecaTV YouTube
• intothetv
• Kozan
• IndyKCrew
• LaughNgamezSOOP
• Migwel
• sooper7s
StarCraft: Brood War
• BSLYoutube
• STPLYoutube
• ZZZeroYoutube
Dota 2
• C_a_k_e 1647
Upcoming Events
WardiTV Team League
23m
Patches Events
5h 23m
BSL
8h 23m
GSL
20h 23m
Wardi Open
1d
Monday Night Weeklies
1d 5h
WardiTV Team League
2 days
PiGosaur Cup
2 days
Kung Fu Cup
2 days
OSC
3 days
[ Show More ]
The PondCast
3 days
KCM Race Survival
3 days
WardiTV Team League
4 days
Replay Cast
4 days
KCM Race Survival
4 days
WardiTV Team League
5 days
Korean StarCraft League
5 days
uThermal 2v2 Circuit
6 days
BSL
6 days
Liquipedia Results

Completed

Proleague 2026-03-13
WardiTV Winter 2026
Underdog Cup #3

Ongoing

KCM Race Survival 2026 Season 1
Jeongseon Sooper Cup
BSL Season 22
RSL Revival: Season 4
Nations Cup 2026
ESL Pro League S23 Finals
ESL Pro League S23 Stage 1&2
PGL Cluj-Napoca 2026
IEM Kraków 2026
BLAST Bounty Winter 2026
BLAST Bounty Winter Qual

Upcoming

CSL Elite League 2026
ASL Season 21
Acropolis #4 - TS6
2026 Changsha Offline CUP
Acropolis #4
IPSL Spring 2026
CSLAN 4
Kung Fu Cup 2026 Grand Finals
HSC XXIX
uThermal 2v2 2026 Main Event
NationLESS Cup
Stake Ranked Episode 2
CS Asia Championships 2026
IEM Atlanta 2026
Asian Champions League 2026
PGL Astana 2026
BLAST Rivals Spring 2026
CCT Season 3 Global Finals
IEM Rio 2026
PGL Bucharest 2026
Stake Ranked Episode 1
BLAST Open Spring 2026
TLPD

1. ByuN
2. TY
3. Dark
4. Solar
5. Stats
6. Nerchio
7. sOs
8. soO
9. INnoVation
10. Elazer
1. Rain
2. Flash
3. EffOrt
4. Last
5. Bisu
6. Soulkey
7. Mini
8. Sharp
Sidebar Settings...

Advertising | Privacy Policy | Terms Of Use | Contact Us

Original banner artwork: Jim Warren
The contents of this webpage are copyright © 2026 TLnet. All Rights Reserved.