Question about servlet in a package

hello
i use tomcat4.0,and write a simple servlet "Hello.java",put it in "C:\jakarta-tomcat-4.0\webapps\ee\WEB-INF\classes",i input "http://127.0.0.1:8080/ee/servlet/Hello",the code works well,but after i add a package declaration "package hi;" in front of my servlet,and put it in "C:\jakarta-tomcat-4.0\webapps\ee\WEB-INF\classes\hi\",wheather i input "http://127.0.0.1:8080/ee/hi/servlet/Hello" or "http://127.0.0.1:8080/ee/servlet/hi/Hello",both of them don't work,why?and how can i call a servlet that is in a package from the browser? thanks!
my code:
package hi;
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;
public class Hello extends HttpServlet{
     public void service(HttpServletRequest req,
          HttpServletResponse resp)
          throws IOException,
               ServletException{
          resp.setContentType("text/html");
          PrintWriter out=new PrintWriter(resp.getOutputStream());
          out.print("<html>");
          out.print("<body>");
          out.print("hello world!");
          out.print("</body>");
          out.print("</html>");
          out.close();

Hi,
Open your ee/web-inf/web.xml file and add these lines.
<servlet>
<servlet-name>
Hello
</servlet-name>
<servlet-class>
hi.Hello
</servlet-class>
</servlet>
<servlet-mapping>
<servlet-name>
Hello
</servlet-name>
<url-pattern>
/Hello
</url-pattern>
</servlet-mapping>
Start the tomcat and give the URL,
http://127.0.0.1:8080/ee/servlet/Hello
Hope this helps.
If you don't have a web.xml file there, you can add these lines in your Tomcat\conf\web.xml file.
Sudha

Similar Messages

  • Question about servlet architecture

    Hello,
    I have a question about Web Application / servlet architecture and development, and haven't had any luck finding an answer so far. My plan must be either unusual, or wrong, or both, so I'm hoping the community here could point me in the right direction.
    I have quite a bit of background in OSGi, but very little in servlets. I know my architecture would work with something such as sever-side Equinox, but for the open source project I'm contemplating, I think that the more mainstream Tomcat/servler route would be better -- assuming it can be done. Here is a rather simplified scenario:
    There is a class, Manager. It could be a Java class that implements Runnable, or a non-HTTP servlet (GenericServlet?), but somehow it should be configured such that it runs as soon as Tomcat starts.
    When Manager runs, it instantiates its primary member variable: Hashtable msgHash; mshHash will map Strings (usernames) to ArrayList<String> (list of messages awaiting that user). Manager also has two primary public methods: addMsg() and getMsgs().
    The pseudocode for addMsg is:
    void addMsg(String username, String msg) {
    if username=="*" { for each msgList in msgHash { msgList.add(msg) } return;
    if username not in msgHash { msgHash.add(username, new ArrayList<String>) }
    msgHash[username].add(msg)
    And for getMsgs():
    String getMsgs(username) {
    String s = "";
    for each msg in msgHash[username] { s = s + msg; }
    return s;
    Once Manager has started, it starts two HTTP Servlets: Sender and Receiver, passing a reference back to itself as it creates the servlets.
    The HTML associated with Sender contains two text inputs (username and message) and a button (send). When the send button is pressed and data is POSTed to Sender, Sender takes it and calls Manager.addMsg(username.value, message.value);
    Receiver servlet is display only. It looks in the request for HTTP GET parameter "username". When the request comes in, Receiver calls Manager.getMsgs(username) and dumps the resulting string to the browser.
    In addition to starting servlets Sender and Receiver, the Manager object is also spawning other threads. For example, it might spawn a SystemResourceMonitor thread. This thread periodically wakes up, reads the available disk space and average CPU load, calls Manager.addMsg("*", diskAndLoadMsg), and goes back to sleep for a while.
    I've ignored the synchronization issues in this example, but during its lifecycle Manager should be idle until it has a task to do, using for example wait() and notify(). If ever addMsg() is called where the message string is "shutdown", Manager's main loop wakes up, and Manager shuts down the two servlets and any threads that it started. Manager itself may then quit, or remain resident, awaiting a command to turn things back on.
    Is any of this appropriate for servlets/Tomcat? Is there a way to do it as I outlined, or with minor tweaks? Or is this kind of application just not suited to servlets, and I should go with server-side Equinox OSGi?
    Thanks very much for any guidance!
    -Mike

    FrolfFla wrote:
    Hello,
    I have a question about Web Application / servlet architecture and development, and haven't had any luck finding an answer so far. My plan must be either unusual, or wrong, or both, so I'm hoping the community here could point me in the right direction.
    I have quite a bit of background in OSGi, but very little in servlets. I know my architecture would work with something such as sever-side Equinox, but for the open source project I'm contemplating, I think that the more mainstream Tomcat/servler route would be better -- assuming it can be done. Here is a rather simplified scenario:
    There is a class, Manager. It could be a Java class that implements Runnable, or a non-HTTP servlet (GenericServlet?), but somehow it should be configured such that it runs as soon as Tomcat starts.You can configure a servlet to be invoked as soon as Tomcat starts. Check the tomcat documentation for more information on that (the web.xml contains such servlets already though). From this servlet you can start your Manager.
    >
    When Manager runs, it instantiates its primary member variable: Hashtable msgHash; mshHash will map Strings (usernames) to ArrayList<String> (list of messages awaiting that user). Manager also has two primary public methods: addMsg() and getMsgs().
    The pseudocode for addMsg is:
    void addMsg(String username, String msg) {
    if username=="*" { for each msgList in msgHash { msgList.add(msg) } return;
    if username not in msgHash { msgHash.add(username, new ArrayList<String>) }
    msgHash[username].add(msg)
    And for getMsgs():
    String getMsgs(username) {
    String s = "";
    for each msg in msgHash[username] { s = s + msg; }
    return s;
    Once Manager has started, it starts two HTTP Servlets: Sender and Receiver, passing a reference back to itself as it creates the servlets. Not needed. You can simply create your two servlets and have them invoked through web calls, Tomcat is the only one that can manage servlets in any case. Servlets have a very short lifecycle - they stay in memory from the first time they are invoked, but the only time that they actually do something is when they are called through the webserver, generally as the result of somebody running the servlet through a webbrowser, either by navigating to it or by posting data to it from another webpage. The servlet call ends as soon as the request is completed.
    >
    The HTML associated with Sender contains two text inputs (username and message) and a button (send). When the send button is pressed and data is POSTed to Sender, Sender takes it and calls Manager.addMsg(username.value, message.value);
    Receiver servlet is display only. It looks in the request for HTTP GET parameter "username". When the request comes in, Receiver calls Manager.getMsgs(username) and dumps the resulting string to the browser.This states already that you are going to run the servlets through a browser. You run "Sender" by navigating to it in the browser. You run "Receiver" when you post your data to it. Manager has nothing to do with that.
    >
    In addition to starting servlets Sender and Receiver, the Manager object is also spawning other threads. For example, it might spawn a SystemResourceMonitor thread. This thread periodically wakes up, reads the available disk space and average CPU load, calls Manager.addMsg("*", diskAndLoadMsg), and goes back to sleep for a while.Since you want to periodically run the SystemResourceMonitor, it is better to use a Timer for that in stead of your own thread.
    >
    I've ignored the synchronization issues in this example, but during its lifecycle Manager should be idle until it has a task to do, using for example wait() and notify(). If ever addMsg() is called where the message string is "shutdown", Manager's main loop wakes up, and Manager shuts down the two servlets and any threads that it started. Manager itself may then quit, or remain resident, awaiting a command to turn things back on.
    Is any of this appropriate for servlets/Tomcat? Is there a way to do it as I outlined, or with minor tweaks? Or is this kind of application just not suited to servlets, and I should go with server-side Equinox OSGi?
    Thanks very much for any guidance!
    -MikeI don't see anything that cannot be done in a normal java web environment, as long as you are aware of how servlets operate.

  • Two questions about servlets

    Hi,
    I'd like to ask you some questons about servlets :
    1) do servlets need a particular JVM on the server. I mean RMI servers need to be started on the server side, while usual applets are loading into the client browser. Are servlet beeing loaded by the browser or do they require something specific on the server side?
    This is because I can only post files on my server, but can't execute java code
    2) can servlets access the server files ? This is because my applets can only load files within the codebase directory on the server. However, i'd like to be able to get something like File.lisFiles() on the server's content. With applets, I have a security problem
    Thanks a lot.
    vincent

    Hi,
    1) Servlets need to be run (deployed) on an application server (i.e. WebLogic, Websphere) which works in conjunction with the web server. When the web server (HTTP Server) receives a request for a servlet from a browser, it passes the request to the application server where the servlet is deployed on which handles the request and provides a response. The JVM will be included in the application server.
    2) Servlets do NOT run in the sandbox that applets run in and thus have complete access to file on the server. This is because the site running the servlets know exactly what code they're deploying on their server and thus have no security concerns.
    If you're site is running on an ISP's server, then you're likely out of luck unless they give you admin access to an application server that runs on their server which allows you to deploy servlets onto.
    makes sense?...
    vc

  • Question about cookies in OWA package and JSP

    Hi all!!
    Can I get in a JSP page a cookie set in a PL/SQL procedure?
    I set a cookie in a PL/SQL procedure (Using the OWA package).
    Later (a few pages forward), I try to get it using
    HttpServletRequest.getCookies in a JSP page.
    When I see the list of cookies, my cookie is not there!
    How can I achieve this?? is this possible??
    Thanks!

    Hi,
    Open your ee/web-inf/web.xml file and add these lines.
    <servlet>
    <servlet-name>
    Hello
    </servlet-name>
    <servlet-class>
    hi.Hello
    </servlet-class>
    </servlet>
    <servlet-mapping>
    <servlet-name>
    Hello
    </servlet-name>
    <url-pattern>
    /Hello
    </url-pattern>
    </servlet-mapping>
    Start the tomcat and give the URL,
    http://127.0.0.1:8080/ee/servlet/Hello
    Hope this helps.
    If you don't have a web.xml file there, you can add these lines in your Tomcat\conf\web.xml file.
    Sudha

  • Some question about servlet

    wy my jdk don't have the class javax.servlet.* and javax.servlet.http.*;

    Servlets are included in j2ee api.
    Servlets is an open specification given by sun the vendors has to implement the specifications.
    like:TOMCAT,WEBLOGIC.
    For the above reasons that is not included in JDK.These packages available with servlet-api.jar which is coming with tomcat.
    You can get servlet packages in j2ee api also.

  • [SOLVED] Two Questions about b43-firmware AUR Package

    Hi. On my old laptop, my wifi adapter worked out-of-the-box / no extra driver installation required. On my new laptop I have the Broadcom BCM43228 wi-fi adapter. Up to this point I have just been using the proprietary broadcom-wl driver, which has worked fine but it has been annoying having to rebuild (that is: install latest linux-headers, run makepkg) and reinstall broadcom-wl every time the linux kernel is upgraded. I discovered that the open-source b43 firmware recently added support for the chip. So I have two questions...
    1. With b43, would I still need to rebuild/reinstall the package every time the kernel is upgraded?
    2. Is there any way to know if the linux kernel will integrate b43 some day? Is this something that happens? I'm assuming it must be because I didn't have to install anything extra to use the wi-fi adapter on my old laptop. Maybe there's some schedule online of when the linux kernel developers intend to integrate open-source drivers/firmware directly into the kernel?
    Thanks!
    Last edited by tony5429 (2015-03-02 23:25:58)

    tony5429 wrote:I discovered that the open-source b43 firmware recently added support for the chip.
    It's not firmware that added support, it's the driver.
    driver = code that runs in the kernel
    firmware = code that runs on the device itself
    tony5429 wrote:1. With b43, would I still need to rebuild/reinstall the package every time the kernel is upgraded?
    Nope, the firmware isn't tied to a particular kernel.
    tony5429 wrote:2. Is there any way to know if the linux kernel will integrate b43 some day?
    The kernel does have b43 integrated. What the package installs isn't the driver, it's the firmware that gets uploaded onto the wifi card.
    A lot of firmware is distributed in the linux-firmware package. However this requires that the firmware is released under a license that allows redistribution. But the b43 firmware isn't redistributable, that's why you need to get it from AUR.
    Last edited by Gusar (2015-02-08 21:22:33)

  • Questions about HBO & Showtime channel package

    Does Verizon have any current specials if ordering the HBO & Showtime package?  Also, how long does it take to get those channels once you order them?

    Don't know if they have any specials.  Once ordered they are usually activated witin a few hours but can take up to 48 hours.
    If a forum member gives an answer you like, give them the Kudos they deserve. If a member gives you the answer to your question, mark the answer as Accepted Solution so others can see the solution to the problem.

  • Question about Lightroom/Photoshop CC Package

    This is the third time I've typed this.  I hope this is the last!  Basically I've been advised to subscribe to the Lightroom/Photoshop package as an individual. The website tells me the cost and I can see the forums (fora?), video tutorials and the like.  What I can't see is a definitive list of what I get for my money - support, guidance materials, length of contract and the like. I also can't see whether downloading the apps will take space on my computer (and if so, how much) or whether it's all cloud based. Surely somewhere there is a link to such a list of basic information?  If so, can someone please direct me to it?  Many thanks.

    You get Photoshop and Lightroom and they install on your machine. See the system specs for the ballpark space requirements.  You say you have already seen the forums, video tutorials, and the like.  The length of the contract depends on which contract you choose.  I don't know what "and the like" refers to as far as what else you cannot see.
    Photoshop - http://helpx.adobe.com/photoshop/system-requirements.html
    Lightroom - https://helpx.adobe.com/lightroom/system-requirements.html
    Creative Cloud Plans
    https://creative.adobe.com/plans
    If you need more information, more specific questions will be helpful.
    Creative Cloud Learn & Support
    http://helpx.adobe.com/creative-cloud.html
    Creative Cloud / Common Questions
    http://helpx.adobe.com/creative-cloud/faq.html

  • [SOLVED] Some questions about a recently submited package (cgames)

    Hi there, when searching for ncurses sokoban-like games I ended up finding a great one that wasn't at the AUR yet. I submitted it (the package is named cgames) but I have some questions.
    1- The source code provided by the developer has 3 games. Should I have packaged each one individually? I decided this way because they are so small that I figure nobody would have a problem in having them all even when just wanting to play one of them (you can always change the make command in the PKGBUILD if you want a single game).
    2 - The original package had some compiling problems due to a function called getline (already existing in stdio.h) and I solved this problem with a sed command. Is this the proper way to do it? Should I have created some patch file or something?
    3- I'm 99% sure the game works in 64bit archs, but 99 isn't 100. Can anyone try it out for me, so that I change the PKGBUILD? I know I should have tested it but I don't have the time to install a 64b arch in the next few days.
    Thank you in advance
    Last edited by jlcordeiro (2010-03-29 15:33:58)

    Yeap, a bit
    Anyway, all done (i think)
    Second release:
    - Replaced sed command with a patch
    - Added x64 arch
    - Fixed a little bug with the configure command
    Last edited by jlcordeiro (2010-03-29 15:32:42)

  • Question about servlet.xml setting

    <?xml version="1.0" encoding="UTF-8"?>
    <!-- Example Server Configuration File -->
    <Server port="8025" shutdown="TEARSDOWN">
    <!-- Comment these entries out to disable JMX MBeans support used for the
    administration web application -->
    <Listener className="org.apache.catalina.core.AprLifecycleListener"/>
    <Listener className="org.apache.catalina.mbeans.ServerLifecycleListener"/>
    <Listener className="org.apache.catalina.mbeans.GlobalResourcesLifecycleListener"/>
    <Listener className="org.apache.catalina.storeconfig.StoreConfigLifecycleListener"/>
    <!-- Global JNDI resources -->
    <GlobalNamingResources>
    <!-- Test entry for demonstration purposes -->
    <Environment name="simpleValue" type="java.lang.Integer" value="30"/>
    <!-- Editable user database that can also be used by
    UserDatabaseRealm to authenticate users -->
    <Resource auth="Container" description="User database that can be updated and saved" factory="org.apache.catalina.users.MemoryUserDatabaseFactory" name="UserDatabase" pathname="conf/tomcat-users.xml" type="org.apache.catalina.UserDatabase"/>
    <Resource name="jdbc/mp" auth="Container"
    type="javax.sql.DataSource" driverClassName="oracle.jdbc.driver.OracleDriver"
    url="jdbc:oracle:thin:@172.25.43.224:1521:mp"
    username="mpuser" password="mp" maxActive="20" maxIdle="10"
    maxWait="-1"/>
    <Resource name="jdbc/passport" auth="Container"
    type="javax.sql.DataSource" driverClassName="com.mysql.jdbc.Driver"
    url="jdbc:mysql://218.1.14.134:3306/xmnext_passport?autoReconnect=true"
    username="zhouzhijun" password="zhouzhijun*1234567" maxActive="20" maxIdle="10"
    maxWait="-1"/>
    </GlobalNamingResources>
    <!-- Define the Tomcat Stand-Alone Service -->
    <Service name="Catalina">
    <!-- Define a non-SSL HTTP/1.1 Connector on port 8080 -->
    <Connector URIEncoding="utf-8" acceptCount="100" connectionTimeout="20000" disableUploadTimeout="true" enableLookups="false" maxHttpHeaderSize="8192" maxSpareThreads="75" maxThreads="150" minSpareThreads="25" port="8084" redirectPort="8443"/>
    <!-- Define an AJP 1.3 Connector on port 8009 -->
    <Connector enableLookups="false" port="8009" protocol="AJP/1.3" redirectPort="8443"/>
    <!-- Define the top level container in our container hierarchy -->
    <Engine defaultHost="localhost" name="Catalina">
    <Realm className="org.apache.catalina.realm.UserDatabaseRealm" resourceName="UserDatabase" />
    <!-- a Realm is setUp for JOSSO -->
    <Realm className="org.josso.tc55.agent.jaas.CatalinaJAASRealm"
    appName="app1"
    userClassNames="org.josso.gateway.identity.service.BaseUserImpl"
    roleClassNames="org.josso.gateway.identity.service.BaseRoleImpl"
    debug="1" /> // I am not sure realm can set twice like this?
    <Host appBase="webapps" autoDeploy="false" name="localhost" unpackWARs="true" xmlNamespaceAware="false" xmlValidation="false">
    <!-- a Valve for JOSSO -->
    <Valve className="org.josso.tc55.agent.SSOAgentValve" debug="9" /> when I set this valve, the tomcat seems running abnormal...
    </Host>
    </Engine>
    </Service>
    </Server>
    Could you help me to check this file setting? Just check this "servlet.xml". Thank you very much!

    <?xml version="1.0" encoding="UTF-8"?>
    <!-- Example Server Configuration File -->
    <Server port="8025" shutdown="TEARSDOWN">
    <!-- Comment these entries out to disable JMX MBeans support used for the
    administration web application -->
    <Listener className="org.apache.catalina.core.AprLifecycleListener"/>
    <Listener className="org.apache.catalina.mbeans.ServerLifecycleListener"/>
    <Listener className="org.apache.catalina.mbeans.GlobalResourcesLifecycleListener"/>
    <Listener className="org.apache.catalina.storeconfig.StoreConfigLifecycleListener"/>
    <!-- Global JNDI resources -->
    <GlobalNamingResources>
    <!-- Test entry for demonstration purposes -->
    <Environment name="simpleValue" type="java.lang.Integer" value="30"/>
    <!-- Editable user database that can also be used by
    UserDatabaseRealm to authenticate users -->
    <Resource auth="Container" description="User database that can be updated and saved" factory="org.apache.catalina.users.MemoryUserDatabaseFactory" name="UserDatabase" pathname="conf/tomcat-users.xml" type="org.apache.catalina.UserDatabase"/>
    <Resource name="jdbc/mp" auth="Container"
    type="javax.sql.DataSource" driverClassName="oracle.jdbc.driver.OracleDriver"
    url="jdbc:oracle:thin:@172.25.43.224:1521:mp"
    username="mpuser" password="mp" maxActive="20" maxIdle="10"
    maxWait="-1"/>
    <Resource name="jdbc/passport" auth="Container"
    type="javax.sql.DataSource" driverClassName="com.mysql.jdbc.Driver"
    url="jdbc:mysql://218.1.14.134:3306/xmnext_passport?autoReconnect=true"
    username="zhouzhijun" password="zhouzhijun*1234567" maxActive="20" maxIdle="10"
    maxWait="-1"/>
    </GlobalNamingResources>
    <!-- Define the Tomcat Stand-Alone Service -->
    <Service name="Catalina">
    <!-- Define a non-SSL HTTP/1.1 Connector on port 8080 -->
    <Connector URIEncoding="utf-8" acceptCount="100" connectionTimeout="20000" disableUploadTimeout="true" enableLookups="false" maxHttpHeaderSize="8192" maxSpareThreads="75" maxThreads="150" minSpareThreads="25" port="8084" redirectPort="8443"/>
    <!-- Define an AJP 1.3 Connector on port 8009 -->
    <Connector enableLookups="false" port="8009" protocol="AJP/1.3" redirectPort="8443"/>
    <!-- Define the top level container in our container hierarchy -->
    <Engine defaultHost="localhost" name="Catalina">
    <Realm className="org.apache.catalina.realm.UserDatabaseRealm" resourceName="UserDatabase" />
    <!-- a Realm is setUp for JOSSO -->
    <Realm className="org.josso.tc55.agent.jaas.CatalinaJAASRealm"
    appName="app1"
    userClassNames="org.josso.gateway.identity.service.BaseUserImpl"
    roleClassNames="org.josso.gateway.identity.service.BaseRoleImpl"
    debug="1" /> // I am not sure realm can set twice like this?
    <Host appBase="webapps" autoDeploy="false" name="localhost" unpackWARs="true" xmlNamespaceAware="false" xmlValidation="false">
    <!-- a Valve for JOSSO -->
    <Valve className="org.josso.tc55.agent.SSOAgentValve" debug="9" /> when I set this valve, the tomcat seems running abnormal...
    </Host>
    </Engine>
    </Service>
    </Server>
    Could you help me to check this file setting? Just check this "servlet.xml". Thank you very much!

  • One question about Servlet

    Container will use HttpServletRequest and HttpServletResponse objects to encapsulate
    a special HTTP request(received from WebClient) and Response gernerated by servlet
    My qeustion is :
    if same webclient requests two times, then Container will use same HttpServletRequest
    and HttpServletResponse objects or use different objects for each time?

    The Container can implement this any way it wants. You should NOT assume that the request and response objects are the same for each cycle.

  • General Question about Servlet !!!

    Hello my name is Raj,
    My problem as a beginner is to compile a servlet but not servlet alone becoz theres a several class imported in this servlet.
    Should I compile every .java and then the servlet....coz when I compile the servlet with a normal jdk (latest one) it gives error of importing class...
    Well at first I have an error of path where the servlet.jar not included..but I managed to work it out...
    what should I do...
    regards,
    raj aryan maholtra

    hi raj,
    your assumption is right, you need to compile Some.java first & then compile MyServlet.java. Ensure that Some.class is in a classpath that can be found by MyServlet
    Regards,
    sathish
    Well Miss v sreedevi ,
    I did the classpath and still it doesnt work compile
    coz of the importing class...
    My .java files looks like this in the folder under the
    tomcat-webapps-servlet
    -MyServlet.java
    -Some.java
    And I import the Some.java in my MyServlet.java
    stuff.
    Well should I compile the Some.java stuff first and
    then the MyServlet.java....
    regards,
    raj

  • Question about Servlets

    Hi,
    I am running WebSphere and when i put my sevlets directly under the classes folder and map it in the web.xml file, they seem to work fine.
    But when i try to put those servlets in few folders under classes folder, its not able to find it.
    I even mapped my servlet like this
    <servlet id="Servlet_5">
    <servlet-name>CurrentworkflowReport</servlet-name>
    <display-name>CurrentworkflowReport</display-name>
    <description>CurrentworkflowReport</description>
    <servlet-class>arm.pdm.CurrentworkflowReport</servlet-class>
    </servlet>
    <servlet-mapping id="ServletMapping_3">
    <servlet-name>CurrentworkflowReport</servlet-name>
    <url-pattern>arm.pdm.CurrentworkflowReport</url-pattern>
    </servlet-mapping>
    Could you please tell me what i am doing wrong.
    Thanks in advance

    try:
    <url-pattern>/CurrentworkflowReport</url-pattern>

  • Question about Blender 2.46 package...where is "~/.blender" directory?

    Hi, I installed Blender 2.46.
    And I tried to customize of theme of the Blender.
    I would like to use my original theme setting that used in Blender 2.45.
    But, I can not find the directory "~/.blender".
    On Zenwalk Linux, Blender 2.46 has ~/.blender directory.
    Humm, I don't know what is wrong.
    regards.

    koro wrote:Hi, I installed Blender 2.46.
    And I tried to customize of theme of the Blender.
    I would like to use my original theme setting that used in Blender 2.45.
    As the two versions have different default preferences if you didn't want to copy them, you could have used the File>Export>Save Current Theme... and run the theme script in a fresh blend file.
    koro wrote:But, how about the icon theme?
    In Blender 2.45, put the icon directory that contains the icon image file(PNG) into ~/.blender directory.
    The Icons file should be placed in ~/.blender/icons/ (you'll need to create the directory).

  • Question about distribution of binary packages..

    Hi!!
    When I have built a package with makepkg, is that all that is needed to later share that pkg-file for the public? (i have no specifik optimizations)

    Yes.
    If you wan to create a repo, you'll need to use gensync to generate the database: http://wiki2.archlinux.org/index.php/Cu … %20gensync

Maybe you are looking for

  • Updating control record from EXIT_SAPLVEDF_001

    My ultimate goal is to update SNDPRN of the control record with identifier based on the org structure in an IDoc for outbound invoices. Our organizations share the same sold-to records so our EDI subsystem needs a way to distinguish between organizat

  • Error message about fonts

    Using CS3 and Mac 10.4.11 I'm using the > Tools > Advanced Editing > Touch up text > function to change a character on a PDF. This is a PDF which I created initially on the same Mac where I'm making the change. When I've made the change and I click o

  • Any one else struggling with 3G since doing an iOS 6 upgrade?

    Hi everyone, I have an iphone 4 on a Tesco contract (I'm in the UK).  Upgraded from iOS 5 to iOS 6 2 days ago through itunes on my mac.  All seemed to go well... Other than I cant use 3G. The 3G symbol is on the status bar next to my carriers name an

  • Can't install Adobe 9.3

    I have removed Adobe Air, and Adobe DLM from my system.  I am trying to install the Reader on a Windows 7 machine.  I keep getting the following error message. windows installer does not permit patching of managed advertised products At least one fea

  • O.T. Sequential Number Text Overlay On Photos In A Batch Process

    As ACDSee crops up on the forum from time to time, I thought this posting on Photo.net on using ACDSee to put a "sequential number" text overlay on photos in a batch process might be of interest. http://photo.net/bboard/q-and-a-fetch-msg?msg_id=00PRh