Help I am new

Hello I am new and need to do the following I have part 1 done, but I am having trouble with part 2.
Part 1
Create a Class called SquareGenerator, and declare a two dimensional array as a class variable. In your main method create two instances of SquareGenerator, construct unique instances of SquareGenerator by passing in a random size from 1 to 10 into the Constructor of Square Generator. Do not store the length in a class variable. Create a method called FillSquare in class SquareGenerator. FillSquare should fill each cell in your random sized array with a random number from 1 to 1000. Another method called write should be created and output the random square to the screen. I want to see both squares in row and column format, one below the other.
For example (letters represent random numbers):
Square 1:
A B C
D E F
G H I
Square 2:
W X
Y Z
Order of events
Create each Square
Fill each cell in array with random number
Output square to screen
Part 2.
Once you have the above working correctly I would like you to perform operations on the array. You will need to write methods in SquareGenerator to do the following:
Return the sum of each cell in the square (notice I said RETURN, meaning your method cannot be of type void)
Return the Sum of the first row
Return the Sum of the last column
Return the Sum of the diagonal
Now in main I want you to use if statements to compare the results of the squares and tell me which is greater for each of the above values, ie if square1 sum is greater then square2, the output should be:
The sum of each cell for square one is X
The sum of each cell for square two is Y
Square 1 cell sum is greater then Square 2
Note X and Y can be any number. If the opposite were true the first two lines would remain the same but the output would be:
Square 2 cell sum is greater then Square 2
What have I left out? The off chance that they were equal, so I guess you will have to use and if, else if, else statement...
The above method will need to be applied to each of four calculations I requested: total cell sum, sum of first row, sum of last column, sum of diagonal.
Here is my code. (sorry it is bad)
class SquareGenerator
int array[][];
SquareGenerator ()
int num= (int) (10 * Math.random());
array = new int[num][num];
void FillSquare ()
for (int i = 0; i < array.length; i++)
for (int j = 0; j < array.length; j++)
array[i][j] = (int)(1000 * Math.random());
void WriteSquare()
for (int i = 0; i < array.length; i++)
for (int j = 0; j < array[i].length; j++)
System.out.print(array[i][j] + " ");
System.out.println();
int SumSquare()
int sum =0;
for (int i = 0; i < array.length; i++)
for (int j = 0; j < array.length; j++)
sum = sum + array[i][j];
return sum;
int SumRow ()
int sum = 0;
for (int j = 0; j < array.length; j++)
sum = sum + array[0][j];
return sum;
int SumColumn ()
int sum = 0;
for (int i =0; i < array.length; i++)
sum = sum + array[i][0];
return sum;
int DiagSum()
int sum = 0;
for (int i = 0; i < array.length; i++)
for (int j = j; j < array.length; j += array.length)
sum = sum + array[0][j];
return sum;
void CompareSum(int sum1, int sum2)
if (sum1 > sum2)
System.out.println("The sum of each cell for square one is" + sum1);
System.out.println("The sum of each cell for square two is" + sum2);
System.out.println("Square one Sum is greater than square 2 sum");
else if (sum1 < sum2)
System.out.println("The sum of each cell for square one is" + sum1);
System.out.println("The sum of each cell for square two is" + sum2);
System.out.println("Square two Sum is greater than square 1 sum");
else
System.out.println("They are equal");
void CompareSum1(int sum3, int sum4)
if (sum3 > sum4)
System.out.println("The sum of each cell for square one is" + sum3);
System.out.println("The sum of each cell for square two is" + sum4);
System.out.println("Square one Sum is greater than square 2 sum");
else if (sum3 < sum4)
System.out.println("The sum of each cell for square one is" + sum3);
System.out.println("The sum of each cell for square two is" + sum4);
System.out.println("Square two Sum is greater than square 1 sum");
else
System.out.println("They are equal");
void CompareSum2(int sum5, int sum6)
if (sum5 > sum6)
System.out.println("The sum of each cell for square one is" + sum5);
System.out.println("The sum of each cell for square two is" + sum6);
System.out.println("Square one Sum is greater than square 2 sum");
else if (sum5 < sum6)
System.out.println("The sum of each cell for square one is" + sum5);
System.out.println("The sum of each cell for square two is" + sum6);
System.out.println("Square two Sum is greater than square 1 sum");
else
System.out.println("They are equal");
void CompareSum3(int sum7, int sum8)
if (sum7 > sum8)
System.out.println("The sum of each cell for square one is" + sum7);
System.out.println("The sum of each cell for square two is" + sum8);
System.out.println("Square one Sum is greater than square 2 sum");
else if (sum7 < sum8)
System.out.println("The sum of each cell for square one is" + sum7);
System.out.println("The sum of each cell for square two is" + sum8);
System.out.println("Square two Sum is greater than square 1 sum");
else
System.out.println("They are equal");
public static void main (String args[])
SquareGenerator square1;
square1= new SquareGenerator ();
SquareGenerator square2;
square2= new SquareGenerator();
square1.FillSquare();
int sum1 = square1.SumSquare();
square2.FillSquare();
int sum2 = square2.SumSquare();
CompareSum(sum1, sum2);
int sum3 = square1.SumRow();
int sum4 = square2.SumRow();
CompareSum1(sum3, sum4);
int sum5 = square1.SumColumn();
int sum6 = square1.SumColumn();
CompareSum2(sum5, sum6);
int sum7 = square1.DiagSum();
int sum8 = square2.DiagSum();
CompareSum3(sum7, sum8);
Please help
Thank You
Lenny

Ok, Lenny.
Firstly tell you tutor that method names are starting with small letters by convention.
Read the assignment better sum of last[bold] column was asked. The compare method must either be called from a squareGenerator object or it must be defined as static. class SquareGenerator {
     int array[][];
     SquareGenerator() {
          int num = (int) (10 * Math.random());
          array = new int[num][num];
     void fillSquare() {
          for (int i = 0; i < array.length; i++) {
               for (int j = 0; j < array.length; j++) {
                    array[i][j] = (int) (1000 * Math.random());
     void write() {
          for (int i = 0; i < array.length; i++) {
               for (int j = 0; j < array[i].length; j++) {
                    String s =(array[i][j] + " ");
                    while(s.length()<4)
                         s=" " +s;
                    System.out.print(s);
               System.out.println();
          System.out.println();
     int sumSquare() {
          int sum = 0;
               for (int i = 0; i < array.length; i++) {
                    for (int j = 0; j < array.length; j++) {
                         sum = sum + array[i][j];
          return sum;
     int sumRow() {
          int sum = 0;
               for (int j = 0; j < array.length; j++) {
                    sum = sum + array[0][j];
          return sum;
     int sumColumn() {
          int sum = 0;
               for (int i = 0; i < array.length; i++) {
                    sum = sum + array[i][array.length-1]; // last Col
          return sum;
     int diagSum() {
          int sum = 0;
               for (int i = 0; i < array.length; i++) {     
                         sum = sum + array[i][i];
               return sum;
     void compareSum(int sum1, int sum2, String s) { // non static
               System.out.println("The sum of "+ s +" for square one is: " + sum1);
               System.out.println("The sum of "+ s +" for square two is: " + sum2);
          if (sum1 > sum2) {
               System.out.println("Square one Sum is greater than square 2 sum\n");
          } else if (sum1 < sum2) {
               System.out.println("Square two Sum is greater than square 1 sum\n");
          } else {
               System.out.println("They are equal\n");
     public static void main(String args[]) {
          SquareGenerator square1;
          square1 = new SquareGenerator();
          SquareGenerator square2;
          square2 = new SquareGenerator();
          square1.fillSquare();
          square1.write();
          square2.fillSquare();
          square2.write();
          square1.compareSum(square1.sumSquare(), square2.sumSquare(),"each cell"); //non static call
          square1.compareSum(square1.sumRow(), square2.sumRow(),"first row");
          square1.compareSum(square1.sumColumn(), square2.sumColumn(),"last col");
          square1.compareSum(square1.diagSum(), square2.diagSum(),"diagonals");

Similar Messages

  • Need Help to create new screen for RF Sapconsole

    Hi Guru's
    I'm new on RF (but some years in ABAP) since last week.
    I need help to create new screens for RF (SAPLLMOB).
    Can someone explain me the procedure to create screen (with ABAP code after) or perhaps someone have an exemple (simple or not) ?
    I have to develop 2 new screens with really few time.
    And, another subsidiary question :
    how SAP can transfert information between the flash gun and the screen i have developped.
    Is there some code to add to enable this functionality or it is include in SAPLLMOB on standard fields ????
    It's a new strange world for me today...
    Many thanks to everyone who can explain me
    Alain

    hi,
    I am facing this problem as well. Is there any reference to create the new screen?
    Hope someone can help! Thanks!
    Regards,
    Darren

  • Is there a way to open context-sensitive help in a new window with RH10?

    I'm linking my context sensitive help using the RoboHelp_CSH.js file to my web application.
    The correct topic opens when I click the help link, but it opens in a pop-up window. This causes problems in Firefox and Chrome (which block pop-ups by default).
    Is there anyway to force the context-sensitive help topics to open in a new window?
    I've tried adding
    <p><A HREF="javascript:RH_ShowHelp(0,'http:/myurl/index.htm', HH_HELP_CONTEXT, 100)" target="_blank">Help</A>
    which opens an empty tab in Firefox with no content in it. And it doesn't work in Chrome either.
    Has anyone else run into this? Any help is greatly appreciated.
    Thanks,
    Colleen

    Hi and welcome to the forums.
    Using the RoboHelp API, that is quite a bother. (Read: major pain)
    Fortunately, there is a simple solution:
    <a href="http://myurl/index.htm#<id=4>>newwnd=false" target="blank">Help<a/>
    This link does exactly the same, only opens the help in a new browser window.
    You may also be interested in my custom WebHelp API: http://www.wvanweelden.eu/blog/2012/08/03/custom-webhelp-apis
    Greet,
    Willam

  • Audio cable help for the new AppleTV.

    Audio cable help for the new AppleTV.
    Currently I have an original AppleTV with audio RCA plugs to mini plug into my BOSE speakers.
    The 2nd Gen AppleTv has a Toslink input. I've looked at cables of Toslink to optical mini. Will this cable work? The optical mini part I'm not sure of what it is.
    Thanks so much. The monitor I use doesn't have speakers.
    This is the cable I see at Amazon
    http://www.amazon.com/gp/product/B0002JFN1K/ref=ordcartshr?ie=UTF8&m=ATVPDKIKX0DER
    Message was edited by: musicmaker

    If I understand your question correctly, you want to connect your Apple TV2 to your Bose system using a mini plug.
    You will need an optical to digital coax RCA converter (find it on Ebay about $15), then you can connect your mini cable. Here is a link to one I recently bought on Ebay: http://fwd4.me/nrQ

  • I need help making a new Arch install ISO

    I have posted a couple of messages, but as yet no one seems to have responded, probably because they have not read them.
    I need help building a new ISO for Arch, to take account of dmraid.
    I can and have built ones that get so far, and clearly I am not that far away.
    All I need help with now is getting at the contents of the initial ramdisk (/isolinux/initrd.img) so I can make a new one with modifications, and if anyone can help, I need a hand working out how to use the kernel26.img that I will end up with on a system.
    Any help appreaciated.

    As far as I know this will be included in the next ISO release. I solved it by manually bringing the dmraid package to the install and wrote a guide on installing your root system on dmraid. However when the system crashes I have the slight inconvenience of having to install dmraid and manually mount the sets to do a recovery. I guess this is the part you want to get rid of aswell. I decided to wait until the next holy ISO.

  • Need a little Help with my new xfi titanium

    +Need a little Help with my new xfi titanium< A few questions here.
    st question? Im using opt out port on the xfi ti. card and using digital li've on a windows 7 64 bit system,? I would like to know why when i use 5. or 7. and i check to make sure each speakear is working the rear speakers wont sound off but the sr and sl will in replace of the rear speakers. I did a test tone on my sony amp and the speaker are wired correctly becasue the rear speakers and the surrond? left and right sound off when they suppose too. Also when i try to click on? the sl and sr in the sound blaster control panel they dont work but if i click on the rear speakers in the control panel the sl and sr sound off. Do anyone know how i can fix this? So i would like to know why my sl and sr act like rears when they are not?
    2nd question? How do i control the volume from my keyboard or from windows period when using opt out i was able to do so with my on board? sound max audio using spidf? Now i can only control the audio using the sony receiver.
    Thank you for any help..

    /Re: Need a little Help with my new xfi titanium? ?
    ZDragon wrote:
    I'm unsure about the first question. Do you even have a 7. system and receiver? If you just have 5., you should be able to remap the audio in the THX console.
    I do have a sony 7. reciever str de-995 its an older one but its only for my cpu. At first i didnt even have THX installed because it didnt come with the driver package for some reason until i downloaded the daniel_k support drivers and installed it. But it doesnt help in anyway.
    I have checked every where regarding the first question and alot of people are having problems getting sound out of there rear channels and the sound being re-mapped to the surround right and the surround left as if there rear left and rear right.
    I read somewhere that the daniel_k support drivers would fix this but it didnt for me and many others.
    For the second question i assumed it would be becasue of the spidf pass through and that my onboard sound card was inferior to the xfi titaniums. But i wasnt sure and i was hopeing that someone would have a solution for that problem because i miss controlling the volume with my keyboard.

  • I need help synching my new ipod

    I need help synching my new ipod.  My previous ipod went thru the washing machine so I bought a new device.  I'm having toruble synching the new ipod to my computer

    Hi gvzabcdefg,
    Thanks for visiting Apple Support Communities.
    See this article for the steps to set up your new iPod to sync:
    iTunes 11 for Windows: Set up syncing for iPod, iPhone, or iPad
    http://support.apple.com/kb/PH12313
    Best Regards,
    Jeremy

  • PLEASE NEED HELP TO FLASH NEW FIRMWARE ON LENOVO IDEA TAB A1107

    Please can anyone help me install new Android OS on my Lenovo tab A1107. Current os is Android 4.0.4. Also i have 2GB internal storage and 12.01gb USB storage and 8GB SD card inside,Please tell me the version of OS to instal and how to install it.

    Please divice power on and off want to flash new rom please help.
    mcl630 wrote:
    Go to Settings->About tablet->System updates.  If there's an update available, it will be there.

  • I used to use Genius to help me find new music to purchase.  Is this feature still available?

    I used to use Genius to help me find new music to purchase and found the feature to be very helpful.  Is this feature still available?

    In iTunes 12, make sure that the menu bar is showing, click on Store, and click on Turn On Genius.
    NOTE: You may have to explore a little, because this applies for the OS X version of iTunes.

  • PCUI 4.0, Search Help Required for New field

    Hi everyone
    I am working in CRM 4.0 Sales Order application
    We created a new field in CRM sales Order in Header level in SAP GUI through EEWB.
    The search help for the new field is working fine in SAP GUI. We want to add the same field with F4 help functionaliity in PCUI as well.
    The field has been added in structure CRMT_BSP_SLS_OD1_General. It also shows domain value for the field however Origin of input field ie empty
    The field has been added in PCUI and is successfully showing data inputted in SAPGUI
    However we need search help functionality for the field
    i tried these two steps
    1) i checked on domain value checkbox and changed the field from input to dropdown. However the dropdown is empty in PCUI. Whenever i check box domain values for some field then all the possible values in SPA GUI are displayed in PCUI, however this is not working here.
    2) I put Value_table in F4 of the field
    This is also throwing up empty values
    Am i missing something in this case
    Please let me know how to go about it
    TIA
    Asad

    Hi Frederic
    Thanks for your response
    I am not sure what is meant by regenerating the field group in this case
    I added the entries for my view in the field group and generated the layout of the field group (If this is what you mean)
    The field is working fine. I am able to save values to the field and able to see values saved in GUI.
    I haven't linked search help of the field in PCUI
    I am not sure how to go about it.
    I used the data element in the structure for the field.
    The data element has Domain entry in <b>Entry Help/Check</b> of the structure
    If i check the Domain Value checkbox in my field group then the domain values should be available in dropdown if the field is dropdown
    However i am not able to see the possible values of the field (It is present in SAP GUI)
    Does something else needs to be done in this case
    TIA
    Asad

  • I created my itunes account YEARS ago!! And I can't remember the answers to my security questions? Because I cannot remember the answers I cannot make purchases in the app store. Please help me create new security questions.

    I created my itunes account YEARS ago!! And I can't remember the answers to my security questions? Because I cannot remember the answers I cannot make purchases in the app store. Please help me create new security questions. Please help me.

    If you have a rescue email address (which is not the same thing as an alternate email address) set up on your account then you can try going to https://appleid.apple.com/and click 'Manage your Apple ID' on the right-hand side of that page and log into your account. Then click on 'Password and Security' on the left-hand side of that page and on the right-hand side you might see an option to send security question reset info to your rescue email address.
    If you don't have a rescue email address (you won't be able to add one until you can answer 2 of your questions) then see if this user tip helps you get the questions reset :https://discussions.apple.com/docs/DOC-4551
    e.g. you can try contacting iTunes Support :http://www.apple.com/support/itunes/contact/ - click on Contact iTunes Store Support on the right-hand side of the page, then Account Management , and then try Apple ID Account Security
    or try ringing the number for Apple  in your country and ask to talk to the Account Security Team : http://support.apple.com/kb/HE57

  • Why is my iMovie shutting down every time I try to share it to iDVD? Help I am new to the Apple world

    Why is my iMovie shutting down everytime I try to share it to iDVD? Help I am new to the Apple world, what am I doing wrong? I have already shared 2 iMovies but this 3rd one is giving me trouble!

    Hi
    First
    • How much free space is there on Your Start-Up Hard Disk ?
    If less than 25Gb - then iDVD will get a hard task as iDVD and Mac OS needs this space for it's pref files (can't be easily addressed to other hard disk)
    Then
    • I do not use "Share to iDVD" - but - "Share to Media Browser" and as Large (not HD or other resolution)
    If still problem - then
    • Material used in iMovie can be the problem maker eg .mp3 audio and .avi, .wmv/a files etc.
    Yours Bengt W

  • Help with the new move...

    I used to have an ipod mini and sold it to help purchase a new video ipod. What do I have to do to make sure that my old music that still on itunes gets onto my new ipod.
    Thank you for your help.
      Windows 2000  

    Nothing. Just install the software and itunes, connect the ipod and it updates. (as long as you have all the songs on your harddrive).

  • I REALLY need help W/ my New Ip 4. Music Note Link, takes me right to the store, and keeps telling me, all my music has been downloaded, but I can't find it anywhere.... HELP!!!

    I upgraded my Original Iphone to an Iphone 4, and am having issues syncing my Music,
    It asked me, if I wanted to set up my phone as a NEW Iphone, or use the last sync. I figured, using the last sync would simply move everything over. NOT, so much. I am using Windows, Not Mac.
        I uploaded the LATEST version of Itunes. And on occasion if I click the Music link button, and tap a bunch of things,.. It will take me to a page that says,.. Iphone or Shared Library. The only way I can get my music to show up, is via, tapping Shared Owner's Library. But it takes a zillion taps to get there, and 50% of the time doesn't show up at all. It says- repeatedly, Either, "You have no songs," etc. or when I tap, "Not on this device" it says, "all of your music has been downloaded to this device..." But HOW do I get to it?
        On my OLD phone, all I had to do was tap the Music Note,... and my library showed up... That's all I want...
    I put my music in the cloud, etc,.. I just thought that was a COPY. Am I needing some kind of CLOUD app on my phone? Or Can someone walk me thru this... I'd be eternally grateful. I'm ready to throw this thing out the window! HELLLPPP! PLEASE!!!
    Thank You In Advance,
    Shea....

    The reason, I included the annotation that I'd upgraded my Itunes, (On my Computer) is B/C in many forums - the very first question, *HELPERS* ask, is. "Do you have the latest version of Itunes downloaded on your computer." I wanted to knock out any obvious replies.
    Now-  "DO YOU have any idea,"... how your UNHELPFUL remarks, do absolutely nothing but hurt others that might not have the EXPERIENCE you have? How do you expect people to know things without asking questions? Whew! RUDE!!
    Message was edited by: Apple I0S Help Team

  • Helpful hints for new Creative Zen MP3 2/4/8/16/32 GB (flash) Users On

    Summary of helpful hints (from this forum and me) for new Creative Zen MP3 2/4/8/6/32 GB (flash) Users Only!
    Rev..
    Date: 4/28/2008
    Author: ZenAndy
    Creative terminology:
    MP3 Player Recovery Tool - A program that resolves the majority of player problems quickly.
    One click is all it takes to update your player to the latest available firmware, and to give your player a clean bill of health.
    Link: http://www.creative.com/products/mp3...me.asp region=
    Note: You can also go to "Creative" "Support" "downloads" choose your MP3 Player type to obtain the latest firmware and software releases.
    Note: On your Zen you can look under "System" & "Information" and then compare the firmware download
    releases OR you can have the "MP3 Player Recovery Tool" (above) do it for you automatically.
    Note: Creative Zen 4/8/6 GB "MP3 Recovery Tool" DOES NOT stop on a firmware comparison match.
    Note: All firmware releases/revisons for the 4/8/6 GB Zen also works (is the same as) for the 2 GB & 32 GB Zen.
    Recovery Mode - If you experience one or more of the following symptoms, it is recommended that you boot the player into its unique Recovery Mode, and then clean up, format or reload the firmware.
    . The player is not detected in Creative MediaSource or Windows Media Player
    2. The battery does not last as expected
    3. Your computer stops responding during file transfers
    4. There is a power outage during file transfers
    5. There is an error about firmware
    6. LCD displays a "Firmware Problem" message
    7. Your player is not responding.
    8. The player is performing erratically.
    Getting Started
    . Load your Creative Zen software from CD FIRST and BEFORE plugging the Zen MP3 player, using the short cable, into the PC USB port to charge it.
    2. Try charging the Zen MP3 player directly from the USB port on the PC. If not, make sure the USB Hub you are using is adequately powered to provide full charging current to the Zen player. Also, try to have the Zen MP3 player as the only USB device, if possible, on the USB hub.
    Some/most Creative Zen flash MP3 Music players come "fully discharged" so, in the mean time, just read the manuals.
    FULLY charge the Zen MP3 player for several hours (~4.0 hrs max) until the battery symbol is NOT flashing AND the battery symbol/icon has a small plug/key symbol in the middle.
    After the first full charge - additional charging is much quicker about 2 /4 hours. (From 0% empty to full)
    3. Go to Creative/Support/Downloads and check for the latest software releases for the Creative Zen. Then check on your Zen MP3 player under System/Information for your firmware revision. Make sure you have the latest software downloaded on your PC and firmware on your Zen MP3 player. < Latest revision [.2.0] 28Feb08>
    OR
    You can run MP3 Player Recovery Tool - see above.
    4. In some cases you might have to do the Recovery Mode "paper clip reset" to get the Zen MP3 flash player started.
    See the Zen User's Guide FAQ. The paper clip reset hole is on the bottom edge below the music pause/run switch.
    (Not the slotted mic hole on the top edge of the player near the earphone jack and SD card slot!!!)
    5. My preference is to have the player shutdown/off before inserting and removing the earphone/headphone plug.
    Recovery Mode Using The Paper Clip OR
    Alternati've Method For Recovery Mode Without The Paper Clip.
    Why use it's
    If you experience one or more of the following symptoms:
    . The player is not detected in Creative MediaSource or Windows Media Player
    2. The battery does not last as expected
    3. Your computer stops responding during file transfers
    4. There is a power outage during file transfers
    5. There is an error about firmware
    6. LCD displays a "Firmware Problem" message
    7. Your player is not responding.
    8. The player is performing erratically.
    Save a copy of your player's content, if possible, before cleaning up the memory!
    Recovery Mode Using The Paper Clip Reset Method
    #. Turn off player if not already turned off
    #2. Press/hold play/pause button. If you accidentally release
    the button, start this reset procedure over again.
    #3. Gently push the end of a metal paper clip into the reset hole on
    the botton edge below the play/pause switch.
    (Do not use the slotted mic hole at the top edge near the earphone jack)
    #4. Slide the on/off/lock switch towards the on position - slide it to the botton hold
    until the display lights up and then release.
    #5. The recovery mode screen appears and four menu items are shown - see below
    <Alternati've Method For Recovery Mode Without The Paper Clip>
    #. Turn off player if not already turned off
    #2. Press/hold play/pause button. If you accidentally release
    the button, start this reset procedure over again.
    #3. Slide the on/off/lock switch towards the on position - slide it to the botton hold
    until the display lights up and then release. Be patient and wait!
    #4. The recovery mode screen appears and four menu items are shown:
    < Clean Up> - cleans, rebuilds and reorganizes your player's memory and restores it to optimal efficiency.
    When the cleanup is complete, select Reboot. Your player restarts and starts rebuilding its music library.
    Note: Your player's firmware is reset to default settings after your player's memory is cleaned up.
    Note: This procedure the hide/show password is reset.
    <2 Format All>- Warning - Formatting your player erases all content on your player's memory and resets your player's firmware to default settings. If possible, back up all data on your player before proceeding.
    Also, you can do this from the PC see Zen User's Guide. FAQ
    <3 Reload Firmware> - Caution !!!! Selecting Reload Firmware erases your player's firmware.
    DO NOT select Reload Firmware unless you have downloaded a newer firmware version for your player, or have been advised to do so by Creative Customer Support.
    Note: My advice when loading/replacing firmware is to connect directly
    to the PC USB port without using a USB hub.
    <4 Reboot> Restarts the player just like the "on/off/lock switch" when switched ON.
    Note: Having NO battery energy/charge/juice this procedure will not work.
    Lithium-Ion Polymer Battery Hints
    Ref:
    http://www.omnica.com/omniview_electronics2.htm
    http://en.wikipedia.org/wiki/Lithium_ion_battery
    . Allow the battery to completely discharge from time-to-time then recharge it fully.
    2. Lithium-Ion batteries loses about 5%- 0% capacity per month.
    3. Lithium-Ion polymer batteries have about 300-500 discharge/charge cycles.
    4. A half full battery indication (50% @ /2 the battery color) used up about 24 hrs worth of battery. Below 50% the indication goes fairly fast to the max of 30 hrs. Note: The battery level indication seems non-linear through out its range.
    5. Battery is Empty~0% - warning screen will appear on LCD and player might shutdown.
    6. Battery is Full- 00% with battery symbol NOT flashing AND plug/key symbol in the center of the battery.
    7. It takes about 2 /4 hours to charge the battery from empty to full.
    8. It takes about 4 hours max to charge a "New" Zen player shipped from the factory.
    9. There is a battery manufactuer's failure rate, which is normal ~ % or less, in which the Lithium-Ion Polymer battery refuses to charge. Creative, ships the Zen MP3 players with some or no charge so there is very small probability that you could have one. I call it the "Deep Six Discharge Battery" Contact/call Creative for replacement.
    Documentation
    There are several pieces of documentation you might need to read to fully understand and use your Creative Zen MP3 flash player to its fullest capabilities.
    #. Zen Users Guide "English" - For Zen MP3 Player - download from Creative/Support/Product documentation
    #2. Zen Quick Users Guide /Front/Back - download from Creative/Support/Product documentation
    #3. Sync Manager (Creative Zen) Click on sync symbol on PC task bar then help
    #4. Creative Zen Media Explorer - Just look under the main help menu
    #5. Windows Media Player <if used>(Microsoft)Use the help files with this program.
    General Tips to increase/decrease the playing time on your Creative Zen flash player.
    <Creative Battery Spec: 5 Hrs. Video & "UP TO" 30 Hrs. Audio/Songs>
    Please do the following:
    . Volume control lower/higher - higher volume settings will decrease playing times. This is logical. More output "volume power" decreases the battery juice.
    2. Audio Settings: EQ, Smart Vol, & Bass Boost will effect your playing time but I believe they are not critical as the Volume & Bit Rates(28 kbsp and others) / File Format (MP3,WMA) & Lock Switch.
    3. Bit Rates & File Formats Do Matter. Bit Rates and File formats will increase/decrease your playing time.
    Per Catherina-CL
    "WMA files will use up more power than MP3 files, and higher bitrates more so than standard ones (like 28kbps MP3). Best thing to do is rip an album in 28kbps MP3 and leave it playing in a loop on a normal volume level. See how long the battery lasts then."
    Please Note: The main difference between MP3 and WMA is the compression. According to Microsoft a 64KBPS WMA file is the same quality 28KBPS MP3. This is of course up to a person's preference but you may find you can get better compression out of WMA.
    4. FULLY CHARGE your Zen. This means the battery symbol is NOT flashing AND there is a plug/key symbol embedded within the battery symbol. The battery is 00% FULL under BOTH conditions. Having just the battery symbol all green will not do it.
    From the link:
    http://www.omnica.com/omniview_electronics2.htm
    Regarding lithium-ion shelf life, one of our engineers recently met with a battery-house representati've. It has come to their attention that repeated charging and re-charging of a less than fully discharged Li-ion cell affects the battery "gas gauge" included with many devices. Over a number of cycles there is a resultant loss in accuracy. Frequently, the indicated remaining charge has little relationship to the actual amount of life left in the cell! Fortunately, according to the battery expert, the gauge will reset itself if the battery is allowed to completely discharge from time-to-time.
    5. Having different types of earphones/headphones will increase or decrease the playing time by how much "electronic load" the earphones/headphones create on the Zen player. There are some power hungry earphones/headphones out there.
    The 6 ohm earbuds conserves battery power more than the 32 ohm earbuds supplied by Creative. (About 0% more)
    6. Always, always lock your Zen player while playing music. This cuts off the power drain from the color 2.5" LCD and blank the LCD screen. After all, you can't read the LCD screen if it is in your shirt pocket and playing music!
    7. Make sure you have the latest firmware upgrades in order to get the best of your Creative Zen Flash MP3 Player.
    Troubleshooting
    Your Creative Zen is extremely complex.
    Check this link to peek inside player http://www.anythingbutipod.com/archi...isassembly.php
    Also, this link:
    http://arstechnica.com/journals/hard...ssor-behind-it
    There could be a million things that could go wrong with your player so you will not be the FIRST or LAST to have a problem. Keep in mind, there are many, many others that have the Zen with no problems whatsoever. Things happen, but Creative is there to help.
    Dropping a Zen or any other player might/will/possibly ruin the player for good!!!
    Since this player is solid-state (no moving parts e.g. mini-disk dri've) then the only thing that will keep it from running for years is the non-user replaceable Lithium-Ion battery. I will concentrate on some troubleshooting tips which are battery related but I hope you have already the latest firmware downloaded and installed on your player
    Battery - Lithium-Ion Polymer
    #. Battery won't charge "out of the box" new player.
    A. First, read above "Getting Started"
    B. Next, try a different USB mini cable.
    C. Next, there is a battery manufactuer's failure rate < %, in which the Lithium-Ion Polymer battery refuses to charge.
    Creative, ships the Zen MP3 players with no charge so there is very small probability thatyou could have one.
    I call it the "Deep Six Discharge Battery" Call / Contact Creative.
    #2. Battery won't charge properly after using the player for some time.
    A. When you plug in your player into the USB port via mini USB patch cable, the connection resets the player to the "docked screen" with the battery level gas guage , in the right hand corner.
    Sometimes this action does not reset the player properly but there is no indication to you that the player is charging.
    Just disconnect/connect the USB cable again.
    B. Sometimes, the Zen player gets confused and you have to do a Recovery Mode "paper clip reset" which forces the player into a "special menu screen" to clean-up the player and to reset the player which allows showing the "docked screen" while charging the unit. See Zen User's Guide for explicit instruction und FAQ.
    C. Since the Zens came out late in 2007, the maximum of 300-500 charge/discharge should not apply YETbut users beware, as with any other Lithium-Ion Polymer battery it will not charge fully "like new"because of a " fixed shelf life" (2-3 yrs) OR too many charge/discharge cycles. A battery replacement is in order.
    Methods of charging the Creative Zen MP3
    . The short mini-standard USB cable provided by Creative from the factory. Plugs into a PC USB port.
    2. Uni'versal Power Adapter (Creative) plugs into the wall. Works "anywhere in the world"
    Note: Different countries have different wall AC voltages and hertz requirements. This has adapters for different countries/locations wall outlets and a uni'versal power supply for all voltage and hertz requirements.
    Note: This is a heavy duty high/fast charging wall outlet charging adapter. (2400 ma)
    3. Auto/Vehicle 2 VDC charger (Creative) or other compatible vehicle 2 VDC to USB charger.
    4. EARHUGGER IPOD POWER POD - MP3-8370 (White compact module)
    http://www.earhugger.com/powerPod.html
    http://www.amazon.com/Earhugger-MP3-.../dp/B000QTTKSS
    This compact module will solve all the following travel modes and conditions:
    . Camping, hiking or outdoor travel - no PC or noAC or maybe no auto/car.
    2. Airplane travel - no PC or no AC or no auto/car.
    3. Train/subway travel - no PC or no auto/car
    4. Car travel - no PC or no AC
    5. Foot travel - no PC or no AC or no auto/car
    It uses 4 ways to charge the Zen:
    . Retractable mini-standard USB cord for PC charging. <--- does not communicate with PC! - only for charging
    2. Retractable mini USB cord for auto/vehicle charging (Fused)
    3. Retractable mini USB cord for wall 0-20 VAC 50/60Hz charging. (non-international use plug style)
    4. 9 VDC battery terminal for using standard alkaline 9 VDC or high ma Lithium 9 VDC to charge the Zen via
    mini USB cable. Note:You might need several alkaline batteries to charge the internal 550 ma hr Zen battery!
    Great for remote destinations.
    5. Rechargeable portable battery packs.
    Black & Decker has several "Power To Go"models CPI0B-C & CPI20XB (not for international use because of 20 AC 60Hz only charging wall wart)
    Note: There are other brands that also do this method of charging.
    http://www.blackanddecker.com/Produc...Path=4033.4040
    You charge this portable NiMH battery pack from the AC wall outlet so you can carry with you on trips to charge the Zen.
    6. Mobile phone chargers. Some have a mini-USB plug for charging the phone but it could be used to charge the Zen BUT BEWARE IT COULD RUIN THE ZEN IF IT IS NOT COMPATIBLE! The output should have a voltage of 5 VDC +- 5% (4.75-5.25 VDC) ON THE PROPER MINI-USB PINS and a charging current at least 200 ma to 2400 ma. See this forum for the recommend phone phone chargers to use with the Zen.
    Note: You are charging an internal Lithium-ion polymer 550 mahr battery in the Zen so the lower the charging current the longer it takes to charge.
    Note: You will find that charging the Zen from the wall charger is much faster than the "current limited" charging on the standard PC USB port.
    Note: For diagnostic purposes and emergency charging of the Zen it is wise to have an external (non-PC) charging device for your Zen.
    Note: Only the battery charging symbol shows up on the Zen when using an external charger.
    Scratches
    All plastic screens will scratch, doesn't matter which type you have.
    For minor scratches you could use the Novus three part cleaner, polish and scratch remover system. Do not use the #3 coarse abrasi've in this system! Be extremely careful in using this product !!!! Please check the web.
    OR
    Low abrasi've toothpase <--- some say this works
    OR
    CD scratch remover/repair kit <---- have not tried this.
    The Zen (Flash) MP3 glass LCD screen is covered by the overlay plastic you see on the front. Worst case, you can have only the outer shell repaired and replaced by Creative.
    To prevent scratches in the first place:
    Use the Zen cloth bag which comes with the unit (sometimes ) to prevent scratches.
    OR
    Buy the Zen clear plastic case (Clear Case #70AB2600002). Sold by Creative.< I use this>
    OR
    Buy an clear plastic overlay. (Screen protector #70AB2600003) which goes over the LCD protector screen for protection. Sold by Creative.
    OR
    Also, you can cut up a "generic" PDA screen protector to fit the Zen.
    OR
    Obtain a "digital camera lcd screen protector" from a camera store or internet
    OR
    "Invisible shield" -The best protection money can buy
    http://www.zagg.com/invisibleshield/...ns-shields.php
    How to destroy your Zen - WHAT NOT TO DO
    . Leave it in the auto/car/vehicle - the vehicle inside heats up 20-35 F higher than the outside temperature.
    2. Leave it outside in freezing temperature 0C 32F. The LCD will freeze/discolor/absorb water.
    Note: It is remotely possible it could recover when warm-up at room temperature.
    Note: Just keep the Zen near your body heat when outside in freezing temperatures.
    3. Dropping it might cause the LCD screen to crack or loosen up the internal connections to the electronics or short out the internal electronics.
    Note: Use a protecti've case to cushion the blow from dropping the Zen.
    4. Dropping or submerging or getting the Zen wet in water might short out the electronics and battery.
    You could prevent destruction by immediately shaking the Zen vigorously in open air to dry it out.
    5. Sitting on it could flex the electronics and short or open circuits which would cause a defecti've/faulty Zen.
    <A bit of humor ... There is No Santa Claus, Easter Bunny or Tooth fairy and Creative does NOT give away money. If you destroy or damage your Zen you will pay not Creative>
    How can you tell if your Zen is defecti've/faulty
    . A "white screen" or a "totally blank black screen" shows up on the Zen LCD.
    2. You cannot force the Zen into the special "Recovery Mode" menu screen.
    3. The Zen refuses to "take a charge"(To charge up the internal Lithium-Ion Polymer battery)
    4. The Zen LCD is cracked or distorted due to dropping or handling abuse.
    5. The Zen clock does not keep accurate time (within 2 mins max per month)
    Contact Creative if any of the above faults occur - the Zen is bad and nothing you can do will fix it!
    WSOD "White Screen of Death"
    The "White Screen of Death" is really caused by a hardware problem. You see, the internal Freescale/SigmaTel STMP3700 MP3 processor has to write to the LCD. If this operation is prevented by internal electronic opens or shorts, bad STMP3700, locked-up firmware, bad LCD or any other electronic component failure then the CPU might/will halt and refuse to write to the LCD which will be reflected in a "white screen of death" I cannot cover all the causes of the "white screen of death" but rest assured Creative should pick these problems up in their quality control manufacturing process with a 99% success rate. Problems do show up after the manufacturing process but Creative has warranty protection for this other % fault rate. (Which is normal in electronics manufacturing)
    Media Content
    Listening to the built-in music on the Zen is OK but after a while your question now becomes "What else can I do with my Zen "
    Note: The "How to" instructions for adding Media content can be found in the Zen documentation.
    Terminology:
    Album: Collection of tracks or songs under one "album" title.
    Artist: Track or song artist
    DRM: Digital rights management - copy protection scheme - Zen cannot use music with this music protection scheme. (itunes) (But "itunes plus" will work)
    Genres: Type or kind of music
    <The following genres are defined in ID3v>
    Blues,Classic Rock,Country,Dance,Disco,Funk,Grunge,Hip-Hop,Jazz,Metal,New Age,Oldies,Other,Pop,
    R&B,Rap,Reggae,Rock,Techno,Industrial,Alternati've ,Ska,Death Metal,Pranks,Soundtrack,Euro-Techno,
    Ambient,Trip-Hop,Vocal,Jazz+Funk,Fusion,Trance,Classical,Instru mental,Acid,House,Game,Sound Clip,
    Gospel,Noise,AlternRock,Bass,Soul,Punk,Space,Medit ati've,Instrumental Pop,Instrumental Rock,
    Ethnic,Gothic,Darkwave,Techno-Industrial,Electronic,Pop-Folk,Eurodance,Dream,Southern Rock,
    Comedy,Cult,Gangsta,Top 40,Christian Rap,Pop/Funk,Jungle,Nati've American,Cabaret,New Wave,
    Psychadelic,Rave,Showtunes,Trailer,Lo-Fi,Tribal,Acid Punk,Acid Jazz,Polka,Retro,Musical,Rock & Roll,
    Hard Rock
    <The following genres are Winamp extensions>
    Folk,Folk-Rock,National Folk,Swing,Fast Fusion,Bebob,Latin,Revival,Celtic,Bluegrass,Avantg arde,
    Gothic Rock,Progressi've Rock,Psychedelic Rock,Symphonic Rock,Slow Rock,Big Band,Chorus,
    Easy Listening,Acoustic,Humour,Speech,Chanson,Opera,Cha mber Music,Sonata,Symphony,
    Booty Bass,Primus,Porn Groove,Satire,Slow Jam,Club,Tango,Samba,Folklore,Ballad,Power Ballad,
    Rhythmic Soul,Freestyle,Duet,Punk Rock,Drum Solo,A capella,Euro-House,Dance Hall
    <A bit of humor: I think the above Genres lists are missing two - "elevator music" & Crying and Whining e.g. Country Western>
    ID3 Tags: Internal file information associated with an Mp3 or wav audio file. This format contains
    Track number, Album name/title, Genre, Artist and Song Title which can be sorted and indexed by
    the Zen device.
    IPTV: Is a system where a digital television service is deli'vered using Internet Protocol over a network infrastructure, which may include deli'very by a broadband connection. http://zencast.com/
    JPEG: Is a commonly used method of compression for photographic images.
    This is the only photo format used by the Zen.
    MP3 and WMA music tracks: Music format used by the Zen.
    Note: Having the wrong bit rates will drain the Zen battery faster. (See above)
    MP3: Is a digital audio encoding format using a form of lossy data compression.
    Non-protected AAC: Files are regular AAC files without any DRM: they can be converted to other formats (like MP3) and can be played on an unlimited amount of devices and burned an unlimitd amount of times. They have no restrictions.
    Podcast: Is a series of digital-media files which are distributed over the Internet using syndication feeds for playback on portable media players and computers. http://zencast.com/
    Protected AAC: Files are AAC audio files that contain DRM (Digital Rights Management), most often music purchased from the iTunes store. The Creative Zen cannot use these files.
    Note: "Itunes Plus Store" have songs without DRM which the Zen can use.
    Ripping CDs: Copying tracks from an audio CD on a PC and downloading tracks to the Zen.
    Note: Use the Creative Zen Media Explorer for ripping audio CD is one method.
    Song Title: Name of song or track
    Track Number: Numerical number of track of CD album.
    Track: General name for song or song title.
    Unprotected AAC format: Music format used by the Zen
    WMA:Is an audio data compression technology developed by Microsoft. The name can be used to refer to its audio file format or its audio codecs.
    WAV: (or WAVE), short for Waveform audio format, is a Microsoft and IBM audio file format standard for storing an audio bitstream on PCs.
    Note: The Zen's built-in microphone produces this audio file format.
    Zen Audio Format:MP3, WMA, WAV, non-protected AAC (.m4a), Audible (2, 3, 4)
    Zen Media Content: Video, Music, Audio, Photos/Images transferred/dowloaded into the Zen
    Zen Photo Format:JPEG
    Note: You can copy/drag/paste JPEG photos from your PC to your Zen for viewing.
    Note: You can import photos & view photos from the SD card.
    Zencast Organizer: Seamlessly integrates ZENcast media files with Creative portable media players and/or your computer
    Zen Video Format:MJPEG, WMV9 and (with transcoding - MPED4-SP, DivX 4/5 and XviD)
    Warning - In some countries (including the US) its illegal to do:
    Copying audio DVD & DVDs
    Defeating DRM MP3 Music (Digital Rights Management)
    Intercepting/copying (non purchased) music.
    Downloading music/songs from an illegal or "free" rouge website.
    General Media Content links:
    http://pro-music.org/Content/GetMusi...lineStores.php
    Note: Check to see if your music files/tracks contains ID3 tags.
    Note: ZEN also supports iTunes Plus tracks from the iTunes store,
    Note: The following media content is only a small fraction of means and ways
    of collecting/dowloading media content to the Zen.
    Media Content from Creative Website(s)
    Note: The Media Content can be found under "Fill your Zen" on the bottom of the Creative Zen product page.
    http://zencast.com/
    ZENcast is the ultimate source for free IPTV channels, video blogs and podcasts on the Internet. It provides quick and easy access to a wide range of interesting and entertaining video and audio content online.
    http://www.audible.com/adbl/site/cre...seBVCookie=Yes
    Audible.com - Audible.comis the Internet s leading audio provider of bestselling audio books, comedy programs and today s most relevant magazines and newspapers
    http://creative.vongo.com/
    VONGO is the video download service that gives you instant access to over 2500 hit movie and video selections from Starz .
    Watch movies whenever, wherever on your ZEN. A great entertainment venue for watching movies while on the road or on the go.
    http://www.napster.com/creative/
    Transfer unlimited music to your ZEN without paying per song.
    With Napster To Go you can:
    Choose from over 5 million songs, plus new releases every week
    Play music instantly from any internet-connected computer
    Find old favorites and discover new music by exploring playlists, radio, Billboard charts and more
    Create a library of your favorite music and build custom playlists.
    http://www.emusic.com/ZEN
    Choose from over ,500,000 songs
    Burn unlimited CDs
    Compatible with every MP3 player
    No confusing restrictions-Own your music!
    http://www.lala.com/frontend/action/...=user:2672@223
    Why pay 99per song when you can get the whole album for $At lala.com, you can trade your used CDs for new music.
    .8 million titles available for trade. CD quality guaranteed.
    Every CD you receive is yours to keep - no restrictions.
    Pay only $ per CD received. No monthly fees or commitments. Sign up is FREE.
    http://www.amazon.com/b/ &node=62663
    Buy or Rent Movies Online
    Watch DVD-quality video downloads on your PC or ZEN
    Conveniently download from your PC at work to your PC at home
    Discover thousands of TV shows & movies available for download
    I started this thread in April 08 to help other new Creative Zen MP3 (Flash) users. If there are common threads that are posted from new users then I try to make a section to inform other new users in solving their similar problems. I cannot believe that this thread was viewed over 0,000 times! Thank you for your "viewing" support.
    Please note: This thread is constantly changing so check back for any new helpful hints, problem solving, troubleshooting and practical solutions for the Creative Zen.
    "The Creative ZenR O C K S"
    Zenandy
    Message Edited by Zenandy on 08--2008 08:26 AM

    Hi,
    I'm from germany so no 'best buy' but I think I will lock around sleeve/bag for a different product with same measures. Any tip?
    The clear plastic case is not what I want. I would like to use the player without such protections. I just want a sleeve to protect the player while its in my jacket/pants.
    Btw, i have bought this version: Creative Zen (maybe european version?). I also doesn't seem to have your mentioned sleeve. I also couldn't find it on the website.
    Anyway, thank you,
    Chris

  • Help with adding new contacts to BB 8330 - Cellular South

    Can someone help me, please?  I'm new to Blackberry, but my boss has just gotten one.  How can I add contacts (I have quite a few to get into this new phone) without having to manually enter them on the phone?  I'd prefer to compile a list on my computer and export to the new phone.  Anyone have any suggestions on how I can do this?  I'd really appreciate ANY and all help!
    Thanks in advance! 

    Use Outlook, seamless.
    1. If any post helps you please click the below the post(s) that helped you.
    2. Please resolve your thread by marking the post "Solution?" which solved it for you!
    3. Install free BlackBerry Protect today for backups of contacts and data.
    4. Guide to Unlocking your BlackBerry & Unlock Codes
    Join our BBM Channels (Beta)
    BlackBerry Support Forums Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

Maybe you are looking for

  • Reporting Services Server cannot connect to the DPM database. ( dpm 2010 )

    Reporting Services Server cannot connect to the DPM database. To repair the configuration, follow steps for repairing DPM from DPM Setup Help. ID: 3001 i can not try the Recommended action from error codes catalog because i did not found Change repor

  • Sorry an error has occured while installing Adobe AIR

    I am using Window XP and login as administrator.  I tried to install the Adobe AIR many times and still receive the same error.  Can you please help me to install the Adobe AIR? Sorry, an error has occured An error occured while installing Adobe AIR.

  • Email options for PDF mail merges

    Have gone through the whole process of creating a mail merge in mircrosoft word and am now using the "Merge to Adobe PDF tool" to convert as well as automaticall send Adobe PDF files be Email. In the message section of the window, I really need to pe

  • Error7 (Windows error 126) After Installing iTunes

    I got the following error message when unsuccessfully trying to open iTunes: "The program can't start because MSVCR80.dll is missing from your computer.  Try reinstalling the program to fix the problem." So following directions I uninstalled iTunes,

  • Transport Rule and Journaling rule query

    HI I am using Exchange 2010 i am using transport rule and journaling agent in my setup. i would like to know when both agents applied to an user which agent applied first transport or journaling? Ex: On server, I have created n Transport Rule policy