A generic question

hi all !
i am a newbie into cryptography. i have noticed that one of the shareware products i use, generates a License key based on my name, which is always 22 chars in length. Does ne1 know of any such algorithm that generates a 22 char output or 176 bit output (assuming that each char is 8-bits in length).
The aim is NOT to reverse-engineer the product since i dont have access to any salt that might b used to generate the License Key.
TIA

I think the shareware programme uses a hashing function rather then n encryption algorithm.
my name is not 22 char. The generated hash is of 22 char length always. From the nature of the program i can say that it is not using ne hardware based information.
this program uses a salt of length around 8 to 12 chars and generates a hash of my name which is always 22 char in size. i have looked into many of the major hashing algorithms but they r not being used. for example u can b reasonably certain that MD5 with n 8-char salt is being used when u c a hash like this :
$1$ ...salt (8 char)...$ ...hashed password (22 char)...
for blowfish its soething like :
$2$...salt ...$ ... hashed password ....
But in this case there is no such hint. A possible explanation can be that MD5 is still being used with the
giveaway starting dollar signs removed.
regards,
Sunil Negi

Similar Messages

  • Some generic questions on BPM of NW CE

    Hi Gurus
      i have over 6 years of ABAP business workflow experience and over 3 years of XI experience. Now i'm getting tough with this new stuff, BPM of NW CE. Here i have some generic questions of it:
    1. How can i trigger a BPM task while a document, like a sales order , has been created in the system? is there any processes to catch the event of R3 in NWDI?
    2. Can BPM consume RFC/BAPIs in R3?
    3. Is it possible to make message mapping in BPM? i found there is a 'mapping' choice in the context setting of NWDI whereas it is quite simple compared with PI.
    4. Can the BPM be integrated with webdynpro ABAP? or send the relevant tasks into R3 directly? Actually what i mean is , can i bypass java programing while dealing with BPM of CE, if possible.
    thanks

    Hi Stephen,
    In the first released version of SAP NetWeaver BPM it is not possible to catch events of R/3 directly. Anyway. In case you have the possibility to trigger a web service in that situation you could start off a specific (BPM) process instance that handles the situation.
    The same is basically true for the question regarding RFC: In the initial version you'd need to wrap the RFC into a web service in order to consume it.
    The mapping possibilities in SAP NetWeaver BPM are meant to perform data flow between different activities in a BPMN based process model. This way you could transform a message that came into the process in that way that if fits your needs in regards to the BPM process (data) context.
    Bypassing Java when using SAP NetWeaver BPM would be difficult as the supported UI technology is Web Dynpro for Java. In addition the possibility to add more flexibility to your mappings by defining custom functions is based on EJB, thus again Java.
    Best regards,
    Martin

  • Some generic  questions about JMF

    Hi, as new to JMF, I would like to ask some generic questions about JMF from this community
    Though including RTP stack, JMF is only compatible to old RTP draft, RFC1889. I know that Sun stopped developing/supporting JMF. What is the alternative solution for JAVA RTP implementation suitable for a serious SERVER project, not just a school-term project? Has anyone thought about that or may have already moved forward? Is that any commercial or more updated Java based RTP stack currently? I searched with google. Besides jrtp, a school project, and I could not find a nice one. Majority of RTPstack implementation is C/C++.
    My second question is if there is the performance analysis and comparison of JMF. I know that some client applications such as SIP-Communicator adopt JMF for media delivery. But it is for one user in one machine. I wonder if any server application has adopt JMF as media relaying layer.
    I appreciate any input from this community.

    erwin2009 wrote:
    Hi, as new to JMF, I would like to ask some generic questions about JMF from this communitySure/
    Though including RTP stack, JMF is only compatible to old RTP draft, RFC1889. I know that Sun stopped developing/supporting JMF. What is the alternative solution for JAVA RTP implementation suitable for a serious SERVER project, not just a school-term project? Has anyone thought about that or may have already moved forward? Is that any commercial or more updated Java based RTP stack currently? I searched with google. Besides jrtp, a school project, and I could not find a nice one. Majority of RTPstack implementation is C/C++. There is one active project out there, Freedom for Media in Java, that has RTP capabilities. It's obviously not from Sun, but it's the only other RTP-capable project I am aware of, other than FOBS4Java, I believe is the name of it.
    What they are suitable for is beyond my scope of knowledge, I only know of the 2 projects.
    My second question is if there is the performance analysis and comparison of JMF. I know that some client applications such as SIP-Communicator adopt JMF for media delivery. But it is for one user in one machine. I wonder if any server application has adopt JMF as media relaying layer. None that I have seen, except for various projects I've helped people with on this forum. But, if someone is asking for help on a forum with his/her server application, it probably doesn't meet the guidelines you just laid out ;-)
    I appreciate any input from this community.Sorry I don't have more to add to your inquires...

  • Somewhat complicated nested generics question

    I have a slightly complicated generics question. I have some parameterized code that looks something like:
    public <T extends MyBaseObject> Map<String,T> loadObjectCache (Class<T> clazz) {
        // load objects of type T from somewhere (file, database, etc.)
        List<T> objs = loadObjects(clazz);
        // create map to store objects keyed by name
        Map<String,T> map = new HashMap<String,T>();
        for (T obj : objs) {
            map.put(obj.name(), obj);
        return map;
    public static void main (String[] args) {
        // load objects of type Foo (a subclass of MyBaseClass)
        Map<String,Foo> map = loadObjectCache(Foo.class);
        // retrieve a Foo by name
        Foo foo = map.get("bling");
    }This all works great, and the parameterization helps me avoid some annoying casts. Now let's suppose I want build these maps for multiple classes, and I want to create a second-order cache of objects: a Map which is keyed by Class and contains elements each of which is a Map as above (keyed by name, containing objects of the given class). So, I'd like to declare something like:
    Map<Class,Map<String,Object>> metaMap = new HashMap<Class,Map<String,Object>>();However, this doesn't quite work. The compiler complains about the following code added just before the return in loadObjectCache() because a Map<String,Foo> is not a subclass of a Map<String,Object>:
        metaMap.put(clazz, map);So, What I'd like is some way to make the above declaration of metaMap such that the objects in a given inner Map are checked to be of the same type as the Class used to store that Map in the meta-map, something like:
    Map<Class<T>,Map<String,T>> metaMap = new HashMap<Class<T>,Map<String,T>>();But this isn't quite right either. I don't want a Map that uses a particular Class as its key. Rather, I want a Map that uses multiple Class objects as keys, and the element stored for each is itself a Map containing objects of that type. I've tried a variety of uses of Object, wildcards, etc., and I'm stumped. I currently have the meta-map defined as:
    Map<Class,Map<String,?>> metaMap = new HashMap<Class,Map<String,?>>();Then in my new getObjectByName() method, I have to use an ugly cast which gives me a type safety warning:
    public <T> T getObjectByName (Class<T> clazz, String name) {
        Map<String,T> map = (Map<String,T>)metaMap.get(clazz);
        return map.get(name);
    }If anyone know how I should declare the meta-map or whether it's even possible to accomplish all this without casts or warnings, I would much appreciate it!
    Dustin

    Map<Class<?>,Map<String,?>> metaMap = new
    new HashMap<Class<?>,Map<String,?>>();
    public <T> T getObjectByName (Class<T> clazz,
    azz, String name) {
         Map<String,?> map = metaMap.get(clazz);
         return clazz.cast(map.get(name));
    }Cute. Of course, that's really only hiding the warning, isn't it?
    Also it doesn't generalize because there's no way to crete a type token for a parameterized class. So you can't use a paramterized class as a key, nor can you nest 3 Maps.
        public static <U> void main(String[] args) {
            MetaMap mm = new MetaMap();
            Appendable a = mm.getObjectByName(Appendable.class, "MyAppendable");
            Comparable<U> u = mm.getObjectByName(Comparable.class, "MyComparable"); //unchecked converstion :(
        }Hey, not to sound ungrateful though. The solution posed is very useful for a certain class of problem.

  • One more generics question

    One more dumbshit generics question...
    Is there a way to do this without the warnings or the @SuppressWarnings({"unchecked"})
       * Returns the index of the last occurrence of the specified element in this
       * list, or -1 if this list does not contain the element.
      //@SuppressWarnings({"unchecked"})
      public int lastIndexOf(Object object) {
        int i = 0;
        int last = -1;
        for(Node<E> node=this.head.next; node!=null; node=node.next) {
          if (node.item.equals((E) object)) {
            last = i;
          i++;
        return(last);
    produces the warning
    C:\Java\home\src\linkedlist\LinkedList.java:313: warning: [unchecked] unchecked cast
    found   : java.lang.Object
    required: E
          if (node.item.equals((E) object)) {
                                   ^... remembering that List specifies +public int lastIndexOf(Object object);+ as taking a raw Object, not E element, as I would have expected.
    Thanx all. Keith.
    PS: Crossposted from the tail of http://forum.java.sun.com/thread.jspa?messageID=10225418&#10225418
    which nobody has answered, I presume because the thread is marked as "answered".

    I'm not sure you understood or if I made myself clear. Or perhaps I'm missing a vital detail in your implementation.
    I'm talking about the cast to E in this line:if (node.item.equals((E) object)) {Object.equals() takes a parameter of type Object. So the cast to E is superfluous. That cast is what's causing the warning. You remove the cast => no more warning => you can remove the SuppressWarnings annotation.
    Unless your E's have an overloaded equals() that takes an argument of type E. In that case you'll have to live with it.

  • Adobe Edge - generic questions

    Hi,  I've a couple of fairly generic questions regarding Adobe Edge:  - Is it part of the Adobe Creative Cloud? - I'm looking to produce animated online web ads (leader board / MPU) As far as I'm aware I can produce HTML 5 in this, is this correct?  Can I also produce .swf files too?  My overall aim to get trained on a package which can produce online interactive animated ads (which will play on both PC and Apple devices old and new).  Flash only seems to produce .swf (don't work on some Apple products) Is Edge the answer?  Thanks in advance,  Andy

    Hi, Andy-
    Edge Animate is available for download from the Creative Cloud, so you should already be able to see it in your offerings.  Animate works natively in HTML, so it can't output SWF.  I believe Flash can export to Canvas using CreateJS (http://www.adobe.com/products/flash/flash-to-html5.html), but Canvas support is uneven across all browsers.  We are working with other advertising agencies, so I can tell you that there is good interest in Edge Animate as a solution for HTML-based animated advertisements.
    Hope that helps you,
    -Elaine

  • Generic questions about CMYK profiles and proofing

    I just read a big book about color management and am trying to make it happen but it seems that in real life I can't get good results.
    I have my scanner profiled and it produces aRGB docs.
    All good and fine. The images look good on the monitor (which also is profiled.)
    Now these images I place inside InDesign as aRGB.
    And at some point comes the time for soft proofing.
    So I start experimenting with different CMYK profiles.
    First question: Should I already do a CMYK conversion for my images in Photoshop or is it ok to do it in InDesign when exporting to PDF?
    Coated Fogra27/39, ISO Coated v2 and Euroscale Coated v2 seem to change the colors only slightly.
    But when I turn on "Simulate Paper Color" all hell breaks loose. The paper color seems to be always a cold horrible grey and the image is darkened and dulled. It looks like in need of serious color correction.
    And further how do these generic profiles know about my paper color anyway?
    So maybe this feature should only be used if the profile is custom made for a specific printer and paper.
    Second question: has anyone succesfully used the simulation of paper color with a custom made profile?
    But it seems that custom profiles are something I can only use at home because the printing service providers seem to be quite unaware of profiling their machines for a specific paper (or profiling it at all).
    They tell me to send a "pure" CMYK file without any profiles. But that is impossible because to transform an RGB in CMYK one MUST use a profile.
    Third question: Which kind of profile should I use when I am instructed to provide a profile-less CMYK document?
    And finally what is the purpose of proofing in the first place if I don't know exactly the profile created for the combination of the output machine and output paper? This issue becomes clearer when using (slightly) colored paper.
    - Rami Ojares

    >First question: Should I already do a CMYK conversion for my images in Photoshop or is it ok to do it in InDesign when exporting to PDF?
    You can save the conversion until you make the PDF if you like, especially if you don't know the correct profile in advance, but you lose the ability to fine-tune and individual image.
    >But when I turn on "Simulate Paper Color" all hell breaks loose. The paper color seems to be always a cold horrible grey and the image is darkened and dulled. It looks like in need of serious color correction.
    I think this is mostly a case of your eye accommodating to the brightness of the screen. I'm not sure how to avoid this, and I generally don't use the simulate paper color. Comparing my screen to the real printed output without the simulation seems pretty close. Even a generic profile makes an assumption about the color of the paper stock, but a custom profile would be more accurate.
    >Third question: Which kind of profile should I use when I am instructed to provide a profile-less CMYK document?
    As you already said, you can't do the conversion without knowing the profile. What they are asking is that you don't embed that profile when you do the conversion to PDF. This means they can use a file prepared for the wrong profile and not risk further conversion at the RIP which would create rich blacks from you 100% K elements (type), but the colors wouldn't be 100% correct unless the profile you chose for conversion originally matched the press.
    Generic profiles are a quasi-standard that most presses can match, but may not be able to produce quite as wide a color gamut as a custom profile, but many presses don't have a custom profile available. You should ask for a "contract proof" to check the color before the press runs, and if possible go to the printer for the make-ready and check the color on the press before the whole run is printed. There is a LOT of color control available to a skilled press operator, and expect some variation through the run.
    Peter

  • The Java Tutorials : Lesson Generics Question and Answers

    Hello,
    I've just finished reading the Generics Lesson from the Java Tutorials,
    http://java.sun.com/docs/books/tutorial/java/generics/index.html
    and was hoping to see the answers in the Question and Answer section at the end of the tutorial, but the link doesn't seem to be working.
    Could someone please grade my answers?
    The question is (copied from the Java Tutorials):
    1. Consider the following classes:
        public class AnimalHouse<E> {
            private E animal;
            public void setAnimal(E x) {
                animal = x;
            public E getAnimal() {
                return animal;
        public class Animal{
        public class Cat extends Animal {
        public class Dog extends Animal {
        }For the following code snippets, identify whether the code:
    * fails to compile,
    * compiles with a warning,
    * generates an error at runtime, or
    * none of the above (compiles and runs without problem.)
    a. AnimalHouse<Animal> house = new AnimalHouse<Cat>();
    b. AnimalHouse<Dog> house = new AnimalHouse<Animal>();
    c. AnimalHouse<?> house = new AnimalHouse<Cat>();
    house.setAnimal(new Cat());
    d. AnimalHouse house = new AnimalHouse();
    house.setAnimal(new Dog());
    My answers are:
    a. fails to compile
    b. fails to compile
    c. compiles and runs without problem
    d. compiles with a warning
    I realize that I could re-read the tutorial, but aside from learning about Generics, I'm also trying to gauge how well I absorb new information, the first time I read it, so I would appreciate if someone could tell me if my answers are correct. Explanations for incorrect answers would also be appreciated.
    Thanks

    Hi,
    as far as I understand it, and am able to explain, creating
    new AnimalHouse<Cat>();has the knowledge (at compiletime) about the generic type Cat.
    But as soon as this is assigned to
    AnimalHouse<?> house = new AnimalHouse<Cat>();the variable house, this knowledge is lost for the variable house. So you have house which does not know the underlying generic type used. Then, there are either two options:
    - allow adding anything via the set...-method
    - do not allow adding/setting anything at all
    In the first case, you would create the problem of being able to potentially add instances of types that do not have any relation to the originally used type Cat - which will cause problems (imagine setting a Car instance instead of a Cat instance and lateron expecting to retrieve something that should be a Cat but is a Car...).
    So, the only safe option is the second one.
    Weird to explain, but maybe there are better explanations around...
    Bye.

  • Newbie generic question

    I have a base class for all of my hibernate database classes called DBO. This base class provides some functionality that is common across all classes for example equals, and an abstract table model. It also has some abstract functions that the child class must implement like canDelete.
    There is another feature I'd like to add to the base class, it is a static way to retrieve data from tables that dont change a lot ( for example for addresses I have a "type" table that stores "work", "home", "mailing", etc ). There's no need to constantly re-retrieve that data. I have about 30 or so tables like that. So originally I had this in in DBO_tAddressType:
         protected static Vector<DBO_tAddressType>All = null;
         @SuppressWarnings("unchecked")
         public static Vector<DBO_tAddressType> GetAll() {
              if (All == null) {
                   Session newSession = HibernateUtil.getSessionFactory().openSession();
                   List<DBO_tPlacingAs> messages = (List<DBO_tAddressType>)newSession.createQuery("from DBO_tAddressType").list();
                   newSession.close();
                   All = new Vector<DBO_tAddressType>(messages);
              return All;
         This way the first time it would load the table, and then simply return the cached data (I am going to include a refresh option as well).
    This function however fits well into a base class using generics, I think. However I'm not sure exactly how to do this one.
    What I can't get my head around is that static in the base class would tie it to a DBO object. However I really need one static All for each of the child classes derived from DBO.
    Not sure if my question is clear or not. In fact I'm not entirely sure what question to ask. Is what I want to do possible? If so how?
    Peter

    Why are you trying to write the logic to cache the static table data ? Why not simply use the Hibernate L2 cache?
    BTW, it does not seems to be generics related question. You could probably post in [database forum|http://forums.sun.com/forum.jspa?forumID=48] .

  • GENERIC QUESTION!

    My IP is Cox.net. Recently, embedded QuickTime movies on web pages(Safari) have stopped working. I get the QT Question icon. I've tried numerous solutions and none seem to get the QuickTimes to work. I've tried fixing in Safari, Cox.net, replacing QuickTime for the web, throwing out preferences, etc. Nothing. Cox.net sez it's a Safari issue. Apple/Safari can't seem to get back to me with a suggestion or fix. Anybody have a suggestion for why embedded QuickTime movies have quit playing on web pages? Better yet, can anybody suggest a solution?
    This is not the usual question for the Discussion but I'm at a loss as to where to go for an answer.
    Thanks kindly for any help.

    Generic answer, bummer, man, too bad, nuts, eh? What a tragedy , oh the humanity, wow what a terrible thing, oops!.

  • Generic question about generating & saving XML

    I need to write a process that will generate an invoice as XML, then store this entire XML document in a CLOB. I will have multiple stored functions and/or procedures that build various sections of the invoice. The process needs to be flexible enough to allow new functions to be added and old ones removed at any time with little impact.
    My question is, what is the best way to implement this? Is it possible to use XSQL pages and use the <xsql:ref-cursor-function> to retrieve each function's data then insert this in a table after applying a style-sheet? I need something that is fairly efficient. Also, it needs to be compatible with an 8.1.6 database. I'm fairly new to all this Oracle XML stuff, so any additional pointers would be appreciated. Thanks.
    Shane

    one solution i can think of is to use SQLX operator instead of dbms_xmlgen.
    here is a sample example.
    declare
      l_xmltype xmltype;
      l_deptno  emp.deptno%type;
    begin
      for i in (select * from emp order by deptno)
      loop
        select xmlconcat(
                    xmlelement("ename", i.ename)
                   ,xmlelement("sal", i.sal)
                   ,xmlelement("detpno", i.deptno))
          into l_xmltype from dual;
        dbms_output.put_line(l_xmltype.GetClobVal());
      end loop;
    end;
    /Now here you can open the query once, keep writing to the file till the deptno
    is same, when the deptno changes, close the file and open a new file with new
    deptno and start writing.
    Note : in this way you will have to add the xmlprolog manually to each of the file which should not be an issue. after opening the file add the prolog string manually.
    Hope this helps.

  • O816 to DB2 using TG4DB2 - generic questions

    Hi,
    I am trialing this product at the moment where I am trying to get a quick win on the product. Currently I have a situation where the db2 queries its database and produces a flat file which is ftp'd to an nt server where using sql-loader it is uploaded to the Oracle database, ugly I know! My idea is to wrap an insert statement around the db2 query on the as/400 which will write directly into the Oracle table.
    Is this possible and if so can anyone give me a piece of sample code as I may be getting my db2 sql wrong.
    Thanks
    Anthony

    No gateway log information generated even with setting trave level to DEBUG indcates that the listener cannot start the gateway process.
    Please check the listener.log for details on the failure. Secondly, what kind of Linux is it? 32- or 64-bit?
    Regards,
    Ed

  • Some generic questions

    Hi all!
    Someone can tell me where can I (or what are) tricks in order to make java software less memory expensive and/or more quick?
    Thanks in advance!

    You can start by looking here:
    http://www.javaperformancetuning.com/tips/rawtips.shtml

  • Exporting images for print labs - colorsync question

    Hi All,
    This is more a generic question - not pertaining to Aperture specifically, but photo workflow in general.
    When exporting pictures to print at a lab (like Costco, Ritz, Smugmug, etc), what Colorsync profile should be set in the Export Version options? sRGB is the profile Smugmug recommends, but I also have the choice of their specific ICC profiles.
    Also, how does Aperture run on the 20" iMac? I've really never gotten into printing pictures, but now I have two clients that will pay me for taking pictures! They're giving me enough money to purchase my own copy of Aperture, along with an iMac. Not enough for a dual-G5 with monitor, but if it makes a big difference, I'll throw in the extra money myself.
    Thanks,
    Robert

    When exporting pictures to print at a lab (like
    Costco, Ritz, Smugmug, etc), what Colorsync profile
    should be set in the Export Version options? sRGB is
    the profile Smugmug recommends, but I also have the
    choice of their specific ICC profiles.
    IF you have the specific output profile for the device, use that. You’ll have control over the rendering intent (well if you do the conversions in Photoshop, in Aperture, you’re “stuck” with Relative Colorimetric which usually works fine). You can control Black Point Compensation (keep it on) and at least in Adobe products, use the ACE CMM which has proven over the years to be stable and bug free.
    The only output device that can produce sRGB is a CRT display in a specific condition. The output devices above do not produce sRGB but instead assume/expect sRGB so a conversion can take place upon output. That can work but you have no idea of how the image will appear (soft proof), and you have no control over the conversions or post conversion editing. Assuming you have a good output profile for the device, convert using it, then send to the lab. But BE SURE they are ICC aware and are not expecting sRGB. There are some output profiles for such devices floating around the web, but you don’t know that the lab is expecting the file that way. If however, they do provide you an output profile for their device, you can be pretty sure they will know what to do with the files for output to their device.

  • Modifying existing driver (newbie question?)

    Hi
    we are trying to modify an existing driver, but we are fairly new to Labview. We have some generic questions, but I will give some specific info about what we are trying to do as well.
    We downloaded a driver (for the NDI Polaris motion tracker) from the NI site and want to modify this a little bit.
    The zip file contains an ndipolaris subdirectory with 2 .llb files and some .mnu files.
    Our first problem is that if we just open the .llb files, there are a lot of vi's in there (including working examples), but there are no project files, nor class definitions. This seems to prevent us from creating a new class that derives from a class which is apparently defined in the driver (but for which we don't seem to have the definition). Maybe a driver can be distributed without these definitions such that you can only use it, but not modify it?
    Our second problem is that if we use the "create new driver from existing driver" method, the NDI Polaris does not show up in the list of existing drivers. (We did copy the ndipolaris directory to the labview/instr.lib directory and restarted labview). (This is probably not a major problem as we could just modify the existing driver instead).
    Note that the existing driver is working nicely. We just want to add a time-stamp in the data. The existing driver has apparently a class (called "Tool info", whcih is a cluster of a few different types of data) for all the info that the Polaris returns, so we thought to modify that class or to derive a new class from it with the time-stamp added.
    Sorry if this is a trivial question. Thanks for any pointers.
    Kris
    Solved!
    Go to Solution.

    Hi Dennis
    thanks to your suggestions, we've sorted
    this out. We were confused by the fact that you cannot add controls
    when in "block diagram" view. Here is what we did:
    The
    data cluster was constructed using  the "bundle by name" function,
    which takes a "template" cluster as input. It was this template that we
    needed to modify. However, as the template was a "constant", it didn't
    show up on the front panel, and so we couldn't add any controls to it.
    So, when viewing the block diagram, we right-clicked the
    template-cluster, converted it to a control, then switched to the front
    panel, created a new (string) control on the front panel, and placed
    that into the control corresponding to the template-cluster. Then we
    switched back to the block diagram, and converted our template cluster
    back to a "constant".
    Not straightforward I think, but once you know (i.e. get help from you and read a bit of the manual...),  it's ok.
    thanks again
    Kris

Maybe you are looking for

  • Managing multiple Apple IDs in the office

    Hi folks, I'm at a small design studio, with 17 Macs. At the moment staff use their personal Apple IDs for updates etc - the problem with this is we have various freelancers who come in and use different macs. Is there an easy way to manage Apple IDs

  • Can not install Adobe Reader in Windows 8.

    Setup was interrupted before adobe Reader XI could be completely installed. Error Code: 150210 Worked fine on Windows 7. Even tried downloading the entire installer still didnt work. I got desperate and tried to install Foxit reader, it wouldn't inst

  • Internal Link in LiveCycle Designer Form

    I am unable to find a way to create a link from one section of text to another section of text within the same form. This is a form that continuoulsly flows from page to page, so I don't want it to link to a specific page.  I need it to link to a spe

  • IOS and Android Native Scroll in Adobe AIR

    I think it would be a great idea to implement the smooth scroll present in native iOS and Android applications for use in Adobe AIR projects. Currently, the only way to obtain smooth scrolling lists with images is using StageWebView to show the image

  • JTable for a Layman :(

    Hello Everybody im doing my final project...I wanted to take a list of input from user against some predefined words e.g user will have to enter a value for each of the following letters: ABCDEGFHKLRN.......... The only way i found to do that was thr