• Log InLog In
  • Register
Liquid`
Team Liquid Liquipedia
EDT 23:35
CET 04:35
KST 12:35
  • 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
Team Liquid Map Contest #22 - Presented by Monster Energy4ByuL: The Forgotten Master of ZvT30Behind the Blue - Team Liquid History Book19Clem wins HomeStory Cup 289HomeStory Cup 28 - Info & Preview13
Community News
Blizzard Classic Cup @ BlizzCon 2026 - $100k prize pool19Weekly Cups (March 9-15): herO, Clem, ByuN win32026 KungFu Cup Announcement6BGE Stara Zagora 2026 cancelled12Blizzard Classic Cup - Tastosis announced as captains18
StarCraft 2
General
Blizzard Classic Cup @ BlizzCon 2026 - $100k prize pool Serral: 24’ EWC form was hurt by military service Weekly Cups (March 9-15): herO, Clem, ByuN win Team Liquid Map Contest #22 - Presented by Monster Energy Weekly Cups (August 25-31): Clem's Last Straw?
Tourneys
[GSL CK] #2: Team Classic vs. Team Solar 2026 KungFu Cup Announcement [GSL CK] #1: Team Maru vs. Team herO RSL Season 4 announced for March-April PIG STY FESTIVAL 7.0! (19 Feb - 1 Mar)
Strategy
Custom Maps
Publishing has been re-enabled! [Feb 24th 2026] Map Editor closed ?
External Content
The PondCast: SC2 News & Results Mutation # 517 Distant Threat Mutation # 516 Specter of Death Mutation # 515 Together Forever
Brood War
General
JaeDong's form before ASL Gypsy to Korea BGH Auto Balance -> http://bghmmr.eu/ ASL21 General Discussion BSL Season 22
Tourneys
Small VOD Thread 2.0 [Megathread] Daily Proleagues [BSL22] Open Qualifiers & Ladder Tours IPSL Spring 2026 is here!
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
Nintendo Switch Thread Path of Exile General RTS Discussion Thread Stormgate/Frost Giant Megathread Dawn of War IV
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 Russo-Ukrainian War Thread Things Aren’t Peaceful in Palestine Mexico's Drug War Canadian Politics Mega-thread
Fan Clubs
The IdrA Fan Club
Media & Entertainment
[Manga] One Piece Movie Discussion! [Req][Books] Good Fantasy/SciFi books
Sports
2024 - 2026 Football Thread Formula 1 Discussion Tokyo Olympics 2021 Thread General nutrition recommendations Cricket [SPORT]
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: 8395 users

The Big Programming Thread - Page 44

Forum Index > General Forum
Post a Reply
Prev 1 42 43 44 45 46 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.
mindoftw
Profile Joined April 2011
2 Posts
April 01 2011 17:19 GMT
#861
So ive got a question since there seems to be a lot of intelligent people on here. I am making a program in see and i am using malloc to allocate some memory to store integers in that block of memory.

Say for example i have something like:
number = (int*) malloc(userNum);

and then i want to store a number in each location how would i do that? I tried something like:
*primes+(*count) = i;

inside of a for loop, but its not actually storing "i" into the memory location. I have a memory leak and i was hoping someone could help me out.
Oracle
Profile Blog Joined May 2007
Canada411 Posts
Last Edited: 2011-04-01 17:33:22
April 01 2011 17:28 GMT
#862
First of all it should be malloc(sizeof(int)) i believe, havent used C in a while

second of all, your assignment makes no sense.

you are dereferences two pointers to integers (im assuming), then adding their values, and attempting to assign i to that?

try this

int *primes;

primes = malloc(k * sizeof(int)) (where k is the amount of primes youd like to store)

to get an array of prime integers

then prime[i] = ith prime (for assignment)


EDIT: Oh i see what you were trying to do

You were dereferencing incorrectly:

*(Primes+count) where count is an iterator should work
Kambing
Profile Joined May 2010
United States1176 Posts
April 01 2011 17:31 GMT
#863
On April 02 2011 02:19 mindoftw wrote:
So ive got a question since there seems to be a lot of intelligent people on here. I am making a program in see and i am using malloc to allocate some memory to store integers in that block of memory.

Say for example i have something like:
number = (int*) malloc(userNum);

and then i want to store a number in each location how would i do that? I tried something like:
*primes+(*count) = i;

inside of a for loop, but its not actually storing "i" into the memory location. I have a memory leak and i was hoping someone could help me out.


malloc(n) allocates (roughly) n bytes of data and returns a pointer to the beginning of that block.

If you are intending on using malloc to create an array of integers, you need the argument to malloc to be some multiple of the size of ints, e.g.,

numbers = malloc(sizeof(int) * 5)

allocates enough memory for 5 ints.

To utilize the space, you can use array-style notation to denote at which position you wish to store data, e.g.,

numbers[2] = i

stores the int i at the 2nd position (i.e., the 3rd element) of the block of memory you allocated. This is just short-hand for doing the manual pointer arithmetic and dereferencing the resulting pointer to access the storage location:

*(numbers+2) = i

where the "+2" really means "move the pointer 2 * sizeof(int) bytes over from numbers".

You attempt this with your code above but it doesn't work. Without knowing what the declarations of primes and count, I can't say for certain what they are doing, but if they are pointers, you actually dereferencing their values and adding them together on the left-hand side rather than doing pointer arithmetic.
DisneylandSC
Profile Joined November 2010
Netherlands435 Posts
Last Edited: 2011-04-01 18:30:53
April 01 2011 18:28 GMT
#864
Perhaps these are some useful links for people who want to begin learning python. I know that I personally really liked them.

-Overview of the program
http://code.google.com/intl/nl/edu/languages/google-python-class/

-The videos belonging to the above mentioned course
+ Show Spoiler +










And mayby also these 2 videos, which are a bit more thorough,
+ Show Spoiler +





mindoftw
Profile Joined April 2011
2 Posts
April 01 2011 20:23 GMT
#865
On April 02 2011 02:31 Kambing wrote:
Show nested quote +
On April 02 2011 02:19 mindoftw wrote:
So ive got a question since there seems to be a lot of intelligent people on here. I am making a program in see and i am using malloc to allocate some memory to store integers in that block of memory.

Say for example i have something like:
number = (int*) malloc(userNum);

and then i want to store a number in each location how would i do that? I tried something like:
*primes+(*count) = i;

inside of a for loop, but its not actually storing "i" into the memory location. I have a memory leak and i was hoping someone could help me out.


malloc(n) allocates (roughly) n bytes of data and returns a pointer to the beginning of that block.

If you are intending on using malloc to create an array of integers, you need the argument to malloc to be some multiple of the size of ints, e.g.,

numbers = malloc(sizeof(int) * 5)

allocates enough memory for 5 ints.

To utilize the space, you can use array-style notation to denote at which position you wish to store data, e.g.,

numbers[2] = i

stores the int i at the 2nd position (i.e., the 3rd element) of the block of memory you allocated. This is just short-hand for doing the manual pointer arithmetic and dereferencing the resulting pointer to access the storage location:

*(numbers+2) = i

where the "+2" really means "move the pointer 2 * sizeof(int) bytes over from numbers".

You attempt this with your code above but it doesn't work. Without knowing what the declarations of primes and count, I can't say for certain what they are doing, but if they are pointers, you actually dereferencing their values and adding them together on the left-hand side rather than doing pointer arithmetic.


You are a gentleman kind sir, helped me out a lot thanks.
Blisse
Profile Blog Joined July 2010
Canada3710 Posts
Last Edited: 2011-04-01 20:42:51
April 01 2011 20:41 GMT
#866
Top 61 of Junior Competition in the Canadian Computing Competition. Good for an amateur like me...
60/75, hurrah!

Here is the question I asked a few pages back. It's a .pdf, and I couldn't get Question 5. The solution they give makes me cry.

http://access.mmhs.ca/ccc/2011/2011JuniorProblems.pdf
There is no one like you in the universe.
Phrost
Profile Blog Joined May 2010
United States4008 Posts
April 01 2011 21:33 GMT
#867
Does anyone know of an alternate helper program like visual assist for Visual Studio 2010?

I'm writing C++ CLR applications in class and the lack of intellisense is making my brain explode.

I don't really want to pay $100 for a Visual Assist license =.=
iamphrost.tumblr.com // http://howtobebettermagicplayer.tumblr.com // twitter @phrost_
Glowbox
Profile Joined June 2010
Netherlands330 Posts
Last Edited: 2011-04-01 21:40:24
April 01 2011 21:39 GMT
#868
On April 02 2011 06:33 Phrost wrote:
Does anyone know of an alternate helper program like visual assist for Visual Studio 2010?

I'm writing C++ CLR applications in class and the lack of intellisense is making my brain explode.

I don't really want to pay $100 for a Visual Assist license =.=


I've been looking for an alternative for Visual Assist X (searched stackoverflow, google, tried 2 alternative addons) but VAX is really the best around.

(There are 'free' versions floating around on the internet, but are hard to find )
MisterD
Profile Blog Joined June 2010
Germany1338 Posts
Last Edited: 2011-04-01 21:55:32
April 01 2011 21:55 GMT
#869
On April 02 2011 05:41 Blisse wrote:
Top 61 of Junior Competition in the Canadian Computing Competition. Good for an amateur like me...
60/75, hurrah!

Here is the question I asked a few pages back. It's a .pdf, and I couldn't get Question 5. The solution they give makes me cry.

http://access.mmhs.ca/ccc/2011/2011JuniorProblems.pdf


well what they specify there should be a tree of some sorts (graph theory!). Basically, what you need to do to get the solution is running a graph scanning algorithm, such as "depth"- or "breadth first search" from all nodes except marc's node (the Nth node), each of these produces a set of reachable nodes. Then you can chose an arbitrary combination of all those sets and get a feasible solution. Putting all possible combinations of sets together gives you the final result.

Example image (green nodes are nodes reached by the graph scanning from the respective initial node) for the example solution presented in your pdf:

[image loading]
Gold isn't everything in life... you need wood, too!
OPSavioR
Profile Joined March 2010
Sweden1465 Posts
April 04 2011 09:01 GMT
#870
Anyone know a good Flash guide i mean i dont know shit about it and i have to finish my project
i dunno lol
Garrl
Profile Blog Joined February 2010
Scotland1975 Posts
April 04 2011 09:07 GMT
#871
On April 04 2011 18:01 OPSavioR wrote:
Anyone know a good Flash guide i mean i dont know shit about it and i have to finish my project


14cc every game.

But seriously, it's impossible to know what level you're at to offer you guides; tell us a reference point as to how much coding you've done before.
Craton
Profile Blog Joined December 2009
United States17281 Posts
April 04 2011 19:22 GMT
#872
On March 23 2011 03:36 TheBB wrote:
Did we do this yet?

K&R greatly irks me due to the lack of symmetry. I find it much harder to keep track of what goes together and what doesn't.
twitch.tv/cratonz
Siniyas
Profile Joined January 2011
Germany66 Posts
April 04 2011 19:31 GMT
#873
General question for guys with programming experience in java. Is good to learn JSP at this time? I find it very intrigueing and would like to get into it, but all over the it is written, that its dying, since it is now deprecrated as a view for servlets and it seems JSF is taking over.

So what should i learn if i want to get into dynamic web design with java?
Let it rip
Badjas
Profile Blog Joined October 2008
Netherlands2038 Posts
April 04 2011 19:34 GMT
#874
Siniyas, if it is deprecated, don't start learning it. Whenever functionality gets deprecated, it is picked up by a new API that is better in one or more ways. For example, a more consistent API, easier to optimize on the implementation side, new features that wouldn't fit nice in the old API, etc.

Find out what the intended replacement is. (I can't advice you on any specifics with Java)
I <3 the internet, I <3 you
_Spooky_
Profile Blog Joined June 2009
United States71 Posts
April 06 2011 00:55 GMT
#875
Hey guys,

I have a question corresponding to Tokenizer's and String[] in Java.

I have a code where the input is a String[] and my professor said we have to use token method to get the input into Pig Latin.

I have the code complete except I don't know how to get the array into a string so I can use the token method. Which calls for Tokenizer (String str)

I have a feeling that I'm over thinking it though.
Thanks for any help
As a well-spent day brings happy sleep, so a life well spent brings happy death. -Da Vinci
slained
Profile Blog Joined October 2006
Canada966 Posts
April 06 2011 01:07 GMT
#876
Is anyone in Toronto fluent in C enough to help me out. I could trade sc2 lessons for programming perhaps lol ^^

Kinda stuck on a sockets assignment atm, c isn't so intuitive for me with all the memory problems.
stafu
Profile Blog Joined January 2009
Australia1196 Posts
April 06 2011 01:23 GMT
#877
On April 06 2011 09:55 _Spooky_ wrote:
Hey guys,

I have a question corresponding to Tokenizer's and String[] in Java.

I have a code where the input is a String[] and my professor said we have to use token method to get the input into Pig Latin.

I have the code complete except I don't know how to get the array into a string so I can use the token method. Which calls for Tokenizer (String str)

I have a feeling that I'm over thinking it though.
Thanks for any help

Look up StringTokenizer in the Java documentation (which is really good, btw).

Can you elaborate on what the input is? Is it just a String? or a String array?

To get each word out, StringTokenizer st = new StringTokenizer(yourInputString), then nextWord = st.nextToken(). You should probably use StringBuffer to create the resulting string.
kuresuti
Profile Blog Joined December 2009
1393 Posts
April 06 2011 11:56 GMT
#878
If anyone would be kind enough to help me out it would be appreciated!

I have a loadList function which reads the lines of a file and stores them in an array of strings. The code seems to work, I've tried it with local variables and such, it just doesn't want to save them in the array when exiting the function. What confuses me is that I've used the EXACT same method elsewhere where it works as expected.

+ Show Spoiler [Function that works] +


int main()
{
string s[MAX_SIZE];
int i = 0;
addName(s, i); // This works fine
}

int addName(string names[], int &curSize)
{
system("cls");

string t;

getline(cin, t);
names[curSize] = t;

curSize++;

return 0;
}
]


+ Show Spoiler [Function that doesn't work] +


int main()
{
string s[MAX_SIZE];
int i = 0;
loadList(s, "asd.txt"); // This does not want to store the file contents in s[];
}

int loadList(string names[], const string fileName)
{
ifstream f(fileName.c_str());
int p = 0;
string t;

while(!f.eof())
{
getline(f, t); // Tested this multiple times in different ways, it seems to work.
names[p] = t; // I've checked names[p] multiple times after this, and it does store t;
p++;
}

f.close();

return 0;
}


I've removed some unnecessary code from there, to keep it clean. Any ideas as to what could be wrong?
tofucake
Profile Blog Joined October 2009
Hyrule19196 Posts
April 06 2011 14:54 GMT
#879
The solution is &
Liquipediaasante sana squash banana
kuresuti
Profile Blog Joined December 2009
1393 Posts
April 06 2011 16:24 GMT
#880
On April 06 2011 23:54 tofucake wrote:
The solution is &


Could you clarify?
Prev 1 42 43 44 45 46 1032 Next
Please log in or register to reply.
Live Events Refresh
Replay Cast
00:00
Code For Giants Cup LATAM #5
Liquipedia
[ Submit Event ]
Live Streams
Refresh
StarCraft: Brood War
GuemChi 6220
Artosis 404
Dewaltoss 47
Sexy 47
Bale 45
ggaemo 36
Noble 25
-ZergGirl 24
Icarus 3
Dota 2
NeuroSwarm152
LuMiX1
League of Legends
JimRising 677
Counter-Strike
Fnx 1399
C9.Mang0330
Super Smash Bros
hungrybox459
Mew2King23
Heroes of the Storm
Trikslyr55
Other Games
CosmosSc2 12
Organizations
Other Games
gamesdonequick824
Dota 2
PGL Dota 2 - Main Stream135
StarCraft 2
Blizzard YouTube
StarCraft: Brood War
BSLTrovo
sctven
[ Show 15 non-featured ]
StarCraft 2
• Hupsaiya 181
• davetesta38
• AfreecaTV YouTube
• intothetv
• Kozan
• IndyKCrew
• LaughNgamezSOOP
• Migwel
• sooper7s
StarCraft: Brood War
• Azhi_Dahaki27
• BSLYoutube
• STPLYoutube
• ZZZeroYoutube
League of Legends
• Lourlo806
Other Games
• Scarra2327
Upcoming Events
KCM Race Survival
6h 25m
Protoss vs Terran
WardiTV Team League
8h 25m
Big Brain Bouts
13h 25m
LetaleX vs Babymarine
Harstem vs GgMaChine
Clem vs Serral
Korean StarCraft League
23h 25m
RSL Revival
1d 6h
Maru vs Zoun
Cure vs ByuN
uThermal 2v2 Circuit
1d 11h
BSL
1d 16h
RSL Revival
2 days
herO vs MaxPax
Rogue vs TriGGeR
BSL
2 days
Replay Cast
2 days
[ Show More ]
Replay Cast
3 days
Afreeca Starleague
3 days
Sharp vs Scan
Rain vs Mong
Wardi Open
3 days
Monday Night Weeklies
3 days
Sparkling Tuna Cup
4 days
Afreeca Starleague
4 days
Soulkey vs Ample
JyJ vs sSak
Replay Cast
5 days
Afreeca Starleague
5 days
hero vs YSC
Larva vs Shine
Kung Fu Cup
5 days
Replay Cast
5 days
The PondCast
6 days
WardiTV Team League
6 days
Replay Cast
6 days
Liquipedia Results

Completed

KCM Race Survival 2026 Season 1
WardiTV Winter 2026
Underdog Cup #3

Ongoing

Jeongseon Sooper Cup
BSL Season 22
CSL Elite League 2026
RSL Revival: Season 4
Nations Cup 2026
BLAST Open Spring 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

ASL Season 21
Acropolis #4 - TS6
2026 Changsha Offline CUP
CSL 2026 SPRING (S20)
CSL Season 20: Qualifier 1
Acropolis #4
IPSL Spring 2026
Kung Fu Cup 2026 Grand Finals
HSC XXIX
uThermal 2v2 2026 Main Event
NationLESS Cup
IEM Cologne Major 2026
Stake Ranked Episode 2
CS Asia Championships 2026
Asian Champions League 2026
IEM Atlanta 2026
PGL Astana 2026
BLAST Rivals Spring 2026
CCT Season 3 Global Finals
IEM Rio 2026
PGL Bucharest 2026
Stake Ranked Episode 1
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.