Need help in a game design.Cirles,lines intersections

Hello,
Im trying to create a board game (the go game) but i have problems with the design. Till now i have design a 19 * 19 table and what i want is when i click with the mouse on this table to display circles, but i want them exactly on the intersection. With my program i get circles everywhere i click and not on the intersection of the line.
So if anyone can help me,i would like to tell me, how can i place the circle exactly on the intersection? Also i would like to eliminate the clicks just on the table and not outside of it.
Please help if anyone knows, im not that expert in java
My code is this till now.
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class goGame extends JFrame {
private int x1Value , y1Value ;
boolean isWhitesTurn = true,first = true;
public goGame()
super( "Go game" );
Color redbrown = new Color (75,17,17);
setBackground(redbrown);
addMouseListener(
// anonymous inner class
new MouseAdapter() {
// store drag coordinates and repaint
public void mouseClicked( MouseEvent event )
x1Value = event.getX();
y1Value = event.getY();
repaint();
} // end anonymous inner class
); // end call to addMouseMotionListener
setSize( 700,550 );
setVisible(true);
public void paint( Graphics g )
Graphics2D graphics2D = (Graphics2D ) g;
Color redbrown = new Color (75,17,17);
g.setColor(redbrown);
Color lightbrown = new Color (192,148,119);
g.setColor(lightbrown);
if (first) {
//paint yellow the big rectangle
graphics2D.setPaint(new GradientPaint (600,100, Color.yellow,100, 10,Color.red,true));
graphics2D.fillRect(60,60,450,450);
graphics2D.setPaint(Color.black);
graphics2D.setStroke(new BasicStroke(3.0f));
//draw rows
int y=60;
for (int n=0; n<=18 ; n++)
g.drawLine(60,y,510,y );
y= y + 25;
//draw columns
int x = 60;
for (int n=0; n<=18 ; n++)
g.drawLine(x,510,x,60);
x = x + 25;
g.setColor(Color.green) ;
//draw the 1st 3 vertical dots
int z = 133;
for (int n=0; n<=2; n++)
g.fillOval(133,z,5,5);
z = z + 150;
//draw the 2 vertical dots of the 1st row-dot , the 1 already exists
int w = 283;
for (int n =0; n<=1; n++)
g.fillOval(w,133,5,5);
w = w + 150;
//draw the 2 vertical dots of the 2nd row-dot
int t = 283;
for (int n=0; n<=2; n++)
g.fillOval(283,t,5,5);
t = t + 150;
//draw the last dots
g.fillOval(433,283,5,5);
g.fillOval(433,433,5,5);
first = false;
if (isWhitesTurn) g.setColor(Color.white);
else g.setColor(Color.black);
g.fillOval( x1Value, y1Value,20,20 );
isWhitesTurn = !isWhitesTurn ;
// execute application
public static void main( String args[] )
goGame application = new goGame();
application.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
}

This will capture vertical and horizontal
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import java.util.*;
public class GoGame extends JFrame
public GoGame()
     getContentPane().setLayout(null);
     setBounds(10,10,510,520);
     getContentPane().add(new TheTable());
     setVisible(true);
public class TheTable extends JPanel
     int[][]points  = new int[19][19];
     boolean black  = true;
public TheTable()
     setBounds(20,20,453,453);
     addMouseListener(new MouseAdapter()
          public void mouseReleased(MouseEvent m)
               Point p = clickOnIntersection(m.getPoint());
               if (p != null && points[p.x/25][p.y/25] == 0)
                    int x = p.x/25;
                    int y = p.y/25;
                    if (black)
                         points[x][y] = 1;
                         black = false;
                    else
                         points[x][y] = 2;
                         black = true;
                    capture(x,y);
                    repaint();
private Point clickOnIntersection(Point p)
     Rectangle rh = new Rectangle(0,0,getWidth(),4);
     Rectangle rv = new Rectangle(0,0,4,getHeight());
     for (int h=0; h < 19; h++)
          rh.setLocation(0,h*25-1);
          if (rh.contains(p))
               for (int v=0; v < 19; v++)
                    rv.setLocation(v*25-1,0);
                    if (rv.contains(p)) return(new Point(v*25+1,h*25+1));
     return(null);
private void capture(int x, int y)
     onTheY(x,y,points[x][y]);
     onTheX(x,y,points[x][y]);
private void onTheY(int x, int y, int col)
     for (int j=x-1; j > -1; j--)
          if (points[j][y] == 0) break;
          if (points[j][y] == col)
               outOnY(j,x,y);
               break;
     for (int j=x+1; j < 19; j++)
          if (points[j][y] == 0) break;
          if (points[j][y] == col)
               outOnY(x,j,y);
               break;
private void onTheX(int x, int y, int col)
     for (int j=y-1; j > -1; j--)
          if (points[x][j] == 0) break;
          if (points[x][j] == col)
               outOnX(j,y,x);
               break;
     for (int j=y+1; j < 19; j++)
          if (points[x][j] == 0) break;
          if (points[x][j] == col)
               outOnX(y,j,x);
                break;
private void outOnY(int f, int t, int y)
     for (f=f+1; f < t; f++) points[f][y] = 0;
private void outOnX(int f, int t, int x)
     for (f=f+1; f < t; f++) points[x][f] = 0;
public void paintComponent(Graphics g)
     super.paintComponent(g);
     Graphics2D g2 = (Graphics2D)g;
     g2.setPaint(new GradientPaint(getWidth(),getHeight(),Color.yellow,0,0,Color.red,true));
     g2.fillRect(0,0,getWidth(),getHeight());
     g2.setColor(Color.black);
     for (int n=0; n < 19; n++)
          g2.fillRect(0,n*25,getWidth(),3);
          g2.fillRect(n*25,0,3,getHeight());
     g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);          
     g2.setColor(Color.green) ;
     for (int n=0; n < 3; n++)
          g2.fillOval(25*3-1,n*150+74,5,5);
          g2.fillOval(25*9-1,n*150+74,5,5);
          g2.fillOval(25*15-1,n*150+74,5,5);
     for (int x=0; x < 19; x++)
          for (int y=0; y < 19; y++)
               if (points[x][y] != 0)
                    if (points[x][y] == 1) g.setColor(Color.black);     
                    if (points[x][y] == 2) g.setColor(Color.white);     
                    g2.fillOval(x*25-9,y*25-9,20,20);
public static void main(String[] args)
     GoGame game = new GoGame();
     game.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
}Noah

Similar Messages

  • Guys need help is regarding games. I want to install games like commandos, gta vice city, counter strike etc I mean action games in which we do levels, like games in playsatation and xbox ?

    Guys need help is regarding games. I want to install games like commandos, gta vice city, counter strike etc I mean action games in which we do levels, like games in playsatation and xbox ?

    You can only install games that are in the iTunes app store on your computer and the App Store app directly on the iPad - if there are games like those that you mention in your country's store then you can buy and install them. Have you had a look in your country's store ?

  • Need Help On Apple Game Center Using Iphone 5 "Not Able To Login"

    Iam a new user, 1st click on Game Center it ask to key in my apple ID password. After key In it shows "This apple ID has not yet been used in Game Center. Tap continue to set up your account. Then key in the origin place and birth date and it shows the same again and again. NEED HELP !!!
    Any Solution !!
    Thanks.

    I had this same issue and was able to get in after I changed my Safari privacy settings for accepting cookies from Never to Only visited and then trying to login again.

  • Need help to proposed solution design

    Dear Gurus,
    Following question is more towards designing model structure
    My comapny (Group of legal comapnies) corporate structure is as follows
    Corporate Group
         Comapany A
               Division A1
                   Subdivision A1-1
                         Division A2
         Comapany B
               Division B1
                     Division B2
                   Subdivision B2-1
                   Subdivision B2-2
    Each lowest level (divisoon and subdivison ) dealing in different business line and has its own score card which will be casecaded up for division , companies and then group score card,
    Division are holding subdivision , smilarly Comapnies are the holding corsponding divisions and group holding compnies.
    Query 1 :
    If I decided to develop seprate PAS model for each lowest level( subdivision and division) , as well as context then How I will consolidate them to next level , examp. divisional level for Division B2.
    Query 2 :
    If I decided to develop one single PAs model for whole group having one dimension "corporate structure", How can I keep different score card for each lowest level.
    Note : Here I have one more challenge that we have to perform implementation project in blaock-by-block fashion for example , implemenation for only "Subdivision B2-1" and casecade upto group level then include "Subdivision B2-2" and so on.
    Please suggest.
    regards
    Arif

    Arif ,
    Looking at the requirements , I feel that it is better to create all the divisions in one PAS model itself. Creating a single model would help you in the roll up of the data up the dimensional hierarchy . Creating different PAS models would necessitate loading data at various levels and divisions.
    Since you need a scorecard at each level , I suggest you to have a different context for each division/comapany. The overall corporate group can have a separate scorecard. I know that this design is a bit cumbersome , but , the advantage of splitting the scorecard across various contexts, is that , the authorisations can be set at the context level and the users at the bottom levels cannot view the performance of the Corporate.
    Hope this helps ,
    Vijay

  • I need help with a game called "sticks"...go figure(!)

    Help! I have just started using Java, and already I need to create a simple game, but I am having problems already.
    The game is designed for 2 player with the one human player and the computer. Players alternatively take sticks from a pile, the player taking the last stick loses.
    Any Ideas?
    Many Thanks...
    Dr. K

    If I take a stick and then smash the computer to pieces with it, do I win???

  • Need help to convert GUI to command line

    Hi Guys ,
    Need some help with respect to scripting
    I am working on a Unix platform(sun), where in I am asked to invoke table menu via command line which has lots of option like STATUS, REPORT ….
    It goes like this
    After login in to unix box , I am entering “yct”
    It brings me a table with lot of option , I need to scroll down and then select “Report “ which display the report
    Is it possible to for me to convert this entire action in to a single unix commad or can i call it via script. 

    Actually WIndows NT has always run Unix (Posix) which was the original Linux before Linux.  Posix used to come on the CD/Disk set.  MS eventually dropped Posix from the box.  Now we just load almost any version Linux into a VM.
    I am surprised at how many new young users think that Unix is a Microsoft product. THey think theonly competitor is Apple so Unix must be Microsoft. Funny thing that Mac is Unix. OS/X was named for Jobs advanced version of Unix called "neXt" or "X".
    The board bought it but wouldn't allow the name.
    The problem that jobs solved with Unix was getting rid of X-Windows in favor of the Mac Windows API on Unix.   Mac API is very close to the WIndows API.  They share the same philosophy.   X-Windows is completely backwards and very
    difficult to design with.
    It is interesting that in Unix the users question has an answer evry much like a PowerShell solution.  We would pipe the data to a formatter which would generate a table (Format-Table) or a list (Format-List).
    I no longer remember the commands to convert a data stream or data file into a report. 
    cat?  grep? list? mtable?
    ¯\_(ツ)_/¯

  • Need help in bex query designer

    hi experts ,
    Actually we had a ODS where the KPI's values  for all weeks are present and also the module.
    in the query designer we need to show the targets for respective KPI's modulewise.
    the requirement is
    module-selections
    week no-selection
    targetweek1week2---week3
    KPI1--10090---90--
    90
    KPI2--95-7885-----90
    based on the module selection the targets values should change and also there should not be any restriction on weeks.
    and also exceptions needs to be done for color coding.
    we actually implemented cell defination for getting the above requirement , but here the problem is that we need to fix the  targets and there is arestriction on the weeks . but the requirement should be dynamic i.e, the targets should be configurable and the weeks should not be restricted.
    in the backend ODS all weeks data is present. we just need an idea how to fix these targets and also color coding for the respective KPI's without using cell defination.
    Kindly throw some pointers how to acheive this..
    thanks in advance,
    Madhu

    Hi Madhuri,
      Ur requirement can be done by using a customer exit variable,keeping any sap stand. time characteristics value.
    If u want to define the any selection dynamically,make a new selection with the text variable and call the customer exit variable into it and assaign the corresponding KPI into it and there by u can define the offset value as well.
      for writting the customer exit,u need to contact ur ABAP'er and say the requirement.
    Hope this helps!!

  • Need Help Building a Graphic Design/Video Editing PC

    Greetings everybody, my name is David, and I'm hoping to get a little assistance building a computer system either from scratch or from a couple of computers I have picked out.
    I hope this that doesn't sound unrealistic but I only have around $600 in my budget to build a Graphic Designer machine. My intentions are to get a subscription to Adobe cloud so I would have access to all of Adobe CS6 products. (I won’t be using any of the Touch or Game developers applications.)
    I would like to post two links to two machines that I picked out that are in my price range and would like some advice as to whether or not either one of these machines have enough processing power to be able to handle all Adobe CS 6 products.
    I am aware that neither one of these machines have a Graphics Processing Unit (GPU) and that I would have to purchase one and add it. Which leads me to my first question; are the processors on either one of these machines capable of handling a GPU that is on the Adobe recommended list for processors?
    And secondly, if I were to build a machine from scratch, is $600 enough to build a machine that is capable of handling Adobe CS6  products? When building a machine from scratch can you tell me what the minimum requirements are for a motherboard? Or are there any sites that offer specific advise for building PC's for graphic design?
    I noticed after looking through the list of recommended graphics processing units that the majority of those are very expensive, in the $500-$3000 range. Can you please recommend a graphics processing unit that is in the $200-$300 range that would be fully adequate to handle Adobe products? Also what things do I need to take into consideration when building the machine from scratch to ensure that all my hardware is capable of handling Adobe CS6 products.
    What do I need to add to either one of these prebuilt computers to make them Adobe-ready, If they are in fact worthy at all?
    Here are the links for two machines that I have picked out:
    http://www.costco.com/HP-Pavilion-p6t-Desktop%2c-Intel%C2%AE-Core%E2%8 4%A2-i3-2130-3.4GHz.product.100010197.html
    http://www.costco.com/ZT-Desktop%2c-Intel%C2%AE-Core%E2%84%A2-i5-3470- 3.2GHz.product.100027436.html
    I do realize that neither one of these machines have a graphics card in them. Can you tell by looking at the specifications on either one of these machines, whether or not your typical graphics card would fit inside the case If they are indeed worthy in all other respects?
    And I realize that I mentioned that I only had $600 to spend, however if either one of these prebuilt machines are powerful enough in all other respects, I don't have an issue waiting a month or two before buying the graphics card and installing a little bit later.
    Thank you in advance for your input.
    Sincerely,
    David

    Your HP Costco link results in an out of stock message
    Your ZT Costco link is very likely NOT expandable due to the VERY small power supply... so you will likely NOT be able to add a video card later
    For PPro video editing you want an nVidia graphics adapter http://www.pacifier.com/~jtsmith/GPU.HTM and even the low power nVidia may be too much for that computer
    Also, for video editing, you need a MINIMUM of 2 hard drives... and trying to edit HiDef video with an i5 will be a study of waiting for things to happen
    As Harm said... a $600 computer will work for everything EXCEPT video editing
    This DIY list is just about twice your budget, but it will work for video editing
    Intel i7 3770 CPU
    http://www.newegg.com/Product/Product.aspx?Item=N82E16819116502
    Motherboard
    http://www.newegg.com/Product/Product.aspx?Item=N82E16813121599
    16Gig Ram
    http://www.newegg.com/Product/Product.aspx?Item=N82E16820148600
    Mid-Tower Case
    http://www.newegg.com/Product/Product.aspx?Item=N82E16811129042
    750w Power Supply
    http://www.newegg.com/Product/Product.aspx?Item=N82E16817171053
    500Gig Drive
    http://www.newegg.com/Product/Product.aspx?Item=N82E16822136769
    500Gig Drive
    http://www.newegg.com/Product/Product.aspx?Item=N82E16822136769
    1Terabyte Drive
    http://www.newegg.com/Product/Product.aspx?Item=N82E16822236339
    GTX 660 Ti 2Gig
    http://www.newegg.com/Product/Product.aspx?Item=N82E16814130809
    120mm x2 Case Fan
    http://www.newegg.com/Product/Product.aspx?Item=N82E16835103060
    Keyboard & Mouse
    http://www.newegg.com/Product/Product.aspx?Item=N82E16823109232
    Sata DVD Writer
    http://www.newegg.com/Product/Product.aspx?Item=N82E16827135204
    http://www.newegg.com/Product/Product.aspx?Item=N82E16832116986
    Use Win7 64bit Home if you will NEVER go over 16gig ram
    http://www.newegg.com/Product/Product.aspx?Item=N82E16832116992
    Use Win7 64bit Pro to use more than 16gig ram
    BluRay writer if you want to write BluRay discs
    http://www.newegg.com/Product/Product.aspx?Item=N82E16827106369
    2 hard drive MINimum, I use 3 (as listed above)
    My 3 hard drives for video editing are configured as...
    1 - 320Gig Boot for Win7 64bit Pro and ALL program installs
    2 - 320Gig data for video project files, and temporary files
    When I create a project on #2 drive, the various work files follow,
    so my boot drive is not used for the media cache folders and files
    3 - 1Terabyte data for all video files... input source & output export files

  • Need help with installing CS6 Design Standard

    Hi all,
    Bought CS6 Design standard as a download from Currys the other day. I have a list of 4 files to download.
    First one is a PDF to tell me how to activate my student software.
    Second is a download .exe file for design standard
    Third is another .exe for illistrator content installer
    Fourth is another .exe for indesign and incopy content installer.
    I've donwloaded all 4 files and once i've clicked on the two content installers i then click on the design standard .exe file and up comes this error message "the file archive part of adobe cs6 design standard is missing. you need all parts in the same folder in order to extract adobe cs6 design standard. please download all parts."
    As google automatically places all the download items into the downloads folder, I'm assuming I've done the correct thing and placed them all in the same folder.
    I have read that you need to extract a .72 folder or something. however i cannot see that on my downloads list.
    Please could someone help, or is this a case of taking my laptop into currys and demanding someone to help me??

    you should contact your vendor to see where that 7z file is.
    btw, it should not be manually extracted.  the exe will extract the 7z file's contents.
    or you may be able to download from here, http://helpx.adobe.com/x-productkb/policy-pricing/cs6-product-downloads.html

  • Need Help AM Transmitte​r Design in Multisim

    I have diode ring mixer to get a frequency of 27MHz after it has gone through the filter. It is  followed by a common emitter transistor amplifier to amplify the signal out of the mixer and then filtered.
    I was getting more gain by putting the amplifier at the end  of the filter but I was told that is not good practice becuase of issues with noise.
    I'm not sure  if it has to due with impedance matching or the poorly design amplifier or I might need another amplifier. 
    I need to get this done for a class project but im having no luck and I still have to make the receiver . If I can't get enough gain I dont know if i'll still be able to demodulate the signal.
    I hope someone can help. I would greatly appreciate it. 
    Attachments:
    Transmitter.ms11 ‏132 KB

    I have diode ring mixer to get a frequency of 27MHz after it has gone through the filter. It is  followed by a common emitter transistor amplifier to amplify the signal out of the mixer and then filtered.
    I was getting more gain by putting the amplifier at the end  of the filter but I was told that is not good practice becuase of issues with noise.
    I'm not sure  if it has to due with impedance matching or the poorly design amplifier or I might need another amplifier. 
    I need to get this done for a class project but im having no luck and I still have to make the receiver . If I can't get enough gain I dont know if i'll still be able to demodulate the signal.
    I hope someone can help. I would greatly appreciate it. 
    Attachments:
    Transmitter.ms11 ‏132 KB

  • Is there a problem with FaceTime, can not connect. When dial it connects and drops. When friends are calling me they have calling message and I have connecting but it does not connect. Need help, face time is my life line.

    Face time not working. When dialled it says connecting and drops immediately. When my friends calling it show connecting but it does not.
    Is there a problem with face time. I am in south Africa, it was working perfectly up to Easter. Please help this is my life line.

    There is a barely acknowledged issue. For Mac users Apple has released an update to the app, but for iOS users the recommendation is for users to update their ipad to the most recent operating system.
    There may be a fix coming for iOS6 users (which seem to be many of those having problems) or there may not be. If your ipad isn't up to date then you can update it and see if that helps, or if you don't want to update then you may want to wait and see if there is either a fix or if it fixes itself.

  • Need help putting a menu designed in Dreamweaver in an external WYSIWYG Editor

    I put together a menu that contains spry widgets in Dreamweaver. I need to get what I made into a website hosted by another company. The site allows you to create your own pages through a wysiwyg editor. I'm having trouble figuring out how to attach the .js and .css files. I tried copying the source code into the HTML source editor but it ignored the script and css. I then tried putting the code from the .js and .css file into the source editor but I'm doing something wrong. I'm new to HTML and Javascipt and I have a feeling it is a pretty obvious mistake. I would really appreciate some instruction or advice on how to properly put all of the components into the editor.

    Open those individual files to see the code.
    <html>
    <head>
    Copy and paste script code between <script type="text/javascript"> and </script> tags.
    Copy and paste CSS styles between <style type="text/css"> and </style> tags.
    Insert conditional comments (if any) below the scripts and CSS styles.
    </head>
    <body>
    This is where your page content goes
    </body>
    </html>
    Best of luck!
    Nancy O.
    Alt-Web Design & Publishing
    Web | Graphics | Print | Media  Specialists 
    http://alt-web.com/
    http://twitter.com/altweb

  • Need help with a report design- 11.1.1.5(11g)

    Hello Experts
    I have a report with Category(Electronics, Home App..), Brand(Philips, samsung,..), products(TV, Laptop, Lamps..), % Expenses, % Profit and now the users want this report in such a way that Category, Brand and Products has to come under one column not a traditional way as above.
    In the subject area i have column variables Category, brand, Products and division is a custom name the users given to us in a design document. Any ideas how i can get this from presentation layer. please let me know if i am not clear.
    Division % Expenses % profit
    Electronics 20% 40%
    Home APP 15% 29%
    Philips 23% 31%
    Samsung 19% 54%
    TV 33% 48%
    Laptop 12% 26%
    Lamps 41% 62%
    Thanks,
    RC
    Edited by: user1146711 on May 30, 2012 1:31 PM
    Edited by: user1146711 on May 30, 2012 1:39 PM
    Edited by: user1146711 on May 30, 2012 1:44 PM
    Edited by: user1146711 on May 30, 2012 1:46 PM

    user1146711 wrote:
    Hello Experts
    I have a report with Category(Electronics, Home App..), Brand(Philips, samsung,..), products(TV, Laptop, Lamps..), % Expenses, % Profit and now the users want this report in such a way that Category, Brand and Products has to come under one column not a traditional way as above.
    In the subject area i have column variables Category, brand, Products and division is a custom name the users given to us in a design document. Any ideas how i can get this from presentation layer. please let me know if i am not clear.
    Division % Expenses % profit
    Electronics 20% 40%
    Home APP 15% 29%
    Philips 23% 31%
    Samsung 19% 54%
    TV 33% 48%
    Laptop 12% 26%
    Lamps 41% 62%
    Thanks,
    RC
    What you are trying to achieve is determined by how the data are set up in the repository. In order to get all the values under one heading called "division," it needs to be in the hierarchy that would than allow you to choose "division" and then the corresponding expenses and profits, regardless of the category, brand or porduct. If the category, brand and products columns don't have a corresponding "division" entry in the table, you will not be able to achieve what you desire.

  • Need help in ACS group design

    I have 3 NDG's and 3 user groups. The NDG's are core devies, edge devices and AccessPoints. The user groups are End users, Guest users, Lan users and core users.
    I want to give the core users access to all network devices and access to wireless via eap based protocols.
    The lan users, I would like to give the same wireless access, but only have access to edge devices ndg.
    The end and guest users just need access to wireless.
    I am using an LDAP database. I am trying to figure out how to configure the wanted results.
    Any Help wouuld be appreciated.

    The document has configuration of group in Cisco Secure ACS.
    http://www.cisco.com/univercd/cc/td/doc/product/access/acs_soft/csacs4nt/csnt26/usergd26/interfac.pdf

  • Need help getting scrollbar from design to code

    First off id like to say I'm VERY NEW to coding I know the basics of CSS and I even less of flash. But im willing to learn anything iv only been doing this for 3 months.
    i have CS5 master colection
    ok Here is my design for the cliant's site
    the part im having trouble with is the gallery on the left.
    i sent the the scrollbar to flash Catalyst CS5. but then i could not find out how to make my custom scrollbar work in dreamweaver so i sent the whole gallery. then i ran in to the problem of
    how do i make the gallery control which embedded youtube video is going to play.
    i would like to just do it with out making the whole gallery a swf file.
    so in the most simplest terms i would like a custom designed scrollbar on the left side of my gallery div
    here is what i have uploaded to my test file on the back end of the quick version of his site http://http://resettheus.com/Test/Big_Gov.html
    plz help even if you could just point me to a tutorial that would be great.
    thank you

    thank you for the help JTANNA let me try to be a little more clear (this is y i never post on these things i never say the right thing)
    this is what i would like the site gallery to look like
    the scrollbar (B) is one of those black papper clips and the gallery (A)is just going to be thumbnails linked to a iframe that will be youtube videos
    so i re worked the CSS code from what i posted earlier to somthing like this (im not on my work comp with the sntax at hand)
    <div class=player_gallery>
         <div class=gallery_header>Video Galler</div>
         <div style="width:24px; height:415px;">   was hoping to put the scrollbar (B) here    </div>
         <div style="width:226px: height:auto;">
                   <a href="http://www.youtube.com/embed/o5gEceNyp0M" target="player">
                   <img src="Images/Markets-Exploitation-or-Empowerment.jpg" width="82px" height="50px"/>
                   <p>Markets Exploitation or Empowerment</p></a>
                        </div>
    something like that. i know that i have things wrong in there but i hope from this post and my last post i can get the answer im looking for
    thanks again

Maybe you are looking for

  • Why do constant CC updates matter? Adobe is not putting out many essential updates anymore.

    Reading these posts on CC I have continually come across people who claim that to be a serious professional in a creative field you need to have your Adobe software up to date. How does one compete if they are using old Adobe software? As someone who

  • Black and White with Blue Flasing Lights

    Hi I am doing a pop video for my cousins band and they want it black and white except when the lights flash they want it to turn blue ( a bit like a sepia tint) but im thinking they want the lights to go blue and all the black areas to stay black. ca

  • AWE32: installing a CD-ROM drive

    I have Packard Bell PB-60 (486). I have SB AWE 32 CT3990 copyright 995. I removed the 5.25 floppy dri've. In its place, I installed CD-ROM dri've.-- Matsu**bleep**a-Kotobuki CR-563-B OCT 993-- receive power from old 5.25 floppy dri've plug-- I/O via

  • Can't see Shared Libraries with iTunes 7

    I can no longer see shared music/libraries since I updated to iTunes 7. My roommate can but she can only see her own music. She has a Windows XP computer, I have a Mac Powerbook running OS X 10.4.7. Also, when I quit sometimes, it says people are con

  • Is there a Page Transition Effect in Adobe Muse?

    Good Evening! I am new to Adobe Muse. I am looking for a Page Transtion Effect. Where would I find it. Thanks in advance for your time, JD