• Log InLog In
  • Register
Liquid`
Team Liquid Liquipedia
EDT 01:01
CEST 07:01
KST 14:01
  • 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 TLMC #5 - Finalists & Open Tournaments0[ASL20] Ro16 Preview Pt2: Turbulence10Classic Games #3: Rogue vs Serral at BlizzCon9[ASL20] Ro16 Preview Pt1: Ascent10Maestros of the Game: Week 1/Play-in Preview12
Community News
Weekly Cups (Sept 8-14): herO & MaxPax split cups4WardiTV TL Team Map Contest #5 Tournaments1SC4ALL $6,000 Open LAN in Philadelphia8Weekly Cups (Sept 1-7): MaxPax rebounds & Clem saga continues29LiuLi Cup - September 2025 Tournaments3
StarCraft 2
General
#1: Maru - Greatest Players of All Time Weekly Cups (Sept 8-14): herO & MaxPax split cups Team Liquid Map Contest #21 - Presented by Monster Energy SpeCial on The Tasteless Podcast Team TLMC #5 - Finalists & Open Tournaments
Tourneys
Maestros of The Game—$20k event w/ live finals in Paris SC4ALL $6,000 Open LAN in Philadelphia Sparkling Tuna Cup - Weekly Open Tournament WardiTV TL Team Map Contest #5 Tournaments RSL: Revival, a new crowdfunded tournament series
Strategy
Custom Maps
External Content
Mutation # 491 Night Drive Mutation # 490 Masters of Midnight Mutation # 489 Bannable Offense Mutation # 488 What Goes Around
Brood War
General
[ASL20] Ro16 Preview Pt2: Turbulence BW General Discussion ASL20 General Discussion Diplomacy, Cosmonarchy Edition BGH Auto Balance -> http://bghmmr.eu/
Tourneys
[ASL20] Ro16 Group D [ASL20] Ro16 Group C [Megathread] Daily Proleagues SC4ALL $1,500 Open Bracket LAN
Strategy
Simple Questions, Simple Answers Muta micro map competition Fighting Spirit mining rates [G] Mineral Boosting
Other Games
General Games
Path of Exile Stormgate/Frost Giant Megathread General RTS Discussion Thread Nintendo Switch Thread Borderlands 3
Dota 2
Official 'what is Dota anymore' discussion LiquidDota to reintegrate into TL.net
League of Legends
Heroes of the Storm
Simple Questions, Simple Answers Heroes of the Storm 2.0
Hearthstone
Heroes of StarCraft mini-set
TL Mafia
TL Mafia Community Thread
Community
General
US Politics Mega-thread Things Aren’t Peaceful in Palestine Canadian Politics Mega-thread Russo-Ukrainian War Thread The Big Programming Thread
Fan Clubs
The Happy Fan Club!
Media & Entertainment
Movie Discussion! [Manga] One Piece Anime Discussion Thread
Sports
2024 - 2026 Football Thread Formula 1 Discussion MLB/Baseball 2023
World Cup 2022
Tech Support
Linksys AE2500 USB WIFI keeps disconnecting Computer Build, Upgrade & Buying Resource Thread High temperatures on bridge(s)
TL Community
BarCraft in Tokyo Japan for ASL Season5 Final The Automated Ban List
Blogs
The Personality of a Spender…
TrAiDoS
A very expensive lesson on ma…
Garnet
hello world
radishsoup
Lemme tell you a thing o…
JoinTheRain
RTS Design in Hypercoven
a11
Evil Gacha Games and the…
ffswowsucks
Customize Sidebar...

Website Feedback

Closed Threads



Active: 1123 users

The Big Programming Thread - Page 44

Forum Index > General Forum
Post a Reply
Prev 1 42 43 44 45 46 1031 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
Scotland1974 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 States17251 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
Hyrule19086 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 1031 Next
Please log in or register to reply.
Live Events Refresh
PiGosaur Monday
00:00
#49
Liquipedia
OSC
23:00
OSC Elite Rising Star #16
Liquipedia
[ Submit Event ]
Live Streams
Refresh
StarCraft 2
WinterStarcraft556
StarCraft: Brood War
Leta 533
Noble 51
ajuk12(nOOB) 43
Icarus 10
Dota 2
NeuroSwarm138
Counter-Strike
Stewie2K448
semphis_45
Super Smash Bros
Mew2King40
Other Games
summit1g4980
C9.Mang0320
XaKoH 150
ViBE142
SortOf52
Trikslyr34
trigger0
Organizations
Other Games
gamesdonequick684
StarCraft 2
Blizzard YouTube
StarCraft: Brood War
BSLTrovo
sctven
[ Show 15 non-featured ]
StarCraft 2
• OhrlRock 91
• intothetv
• AfreecaTV YouTube
• Kozan
• IndyKCrew
• LaughNgamezSOOP
• Migwel
• sooper7s
StarCraft: Brood War
• BSLYoutube
• STPLYoutube
• ZZZeroYoutube
League of Legends
• Lourlo1125
• Rush1120
• Stunt434
Other Games
• Scarra1215
Upcoming Events
LiuLi Cup
5h 59m
OSC
13h 59m
RSL Revival
1d 4h
Maru vs Reynor
Cure vs TriGGeR
The PondCast
1d 7h
RSL Revival
2 days
Zoun vs Classic
Korean StarCraft League
2 days
BSL Open LAN 2025 - War…
3 days
RSL Revival
3 days
BSL Open LAN 2025 - War…
4 days
RSL Revival
4 days
[ Show More ]
Online Event
4 days
Wardi Open
5 days
Sparkling Tuna Cup
6 days
Liquipedia Results

Completed

Proleague 2025-09-10
Chzzk MurlocKing SC1 vs SC2 Cup #2
HCC Europe

Ongoing

BSL 20 Team Wars
KCM Race Survival 2025 Season 3
BSL 21 Points
ASL Season 20
CSL 2025 AUTUMN (S18)
LASL Season 20
RSL Revival: Season 2
Maestros of the Game
FISSURE Playground #2
BLAST Open Fall 2025
BLAST Open Fall Qual
Esports World Cup 2025
BLAST Bounty Fall 2025
BLAST Bounty Fall Qual
IEM Cologne 2025
FISSURE Playground #1

Upcoming

2025 Chongqing Offline CUP
BSL World Championship of Poland 2025
IPSL Winter 2025-26
BSL Season 21
SC4ALL: Brood War
BSL 21 Team A
Stellar Fest
SC4ALL: StarCraft II
EC S1
ESL Impact League Season 8
SL Budapest Major 2025
BLAST Rivals Fall 2025
IEM Chengdu 2025
PGL Masters Bucharest 2025
MESA Nomadic Masters Fall
Thunderpick World Champ.
CS Asia Championships 2025
ESL Pro League S22
StarSeries Fall 2025
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 © 2025 TLnet. All Rights Reserved.