Screen-shot tools: root2jpg and root2xpm

Hi folks (new kid in town...)
Saw this sub-board in the forum & spent the next few evenings browsing all the very nifty projects you all have created, some innovative stuff so... I thought I'd add my own contributions to the mix =)
Here are two routines to take screen-shots, the 1st outputs a compressed JPG, & the 2nd a pixmap in XPM format.
But first an example... here's a JPG taken with root2jpg.
These could easily be hard-coded into for instance config.h in dwm, or a script with xbindkeys where either called a modifier and say the print-screen key (XK_Print).
Since I'm not yet running Arch, I can't roll up any packages (any takers?) At any rate, hope you all can use them!
roo2jpg v0.98 [c]2012 Topcat Software LLC.
http://www.topcat.hypermart.net/index.html
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
compilation: gcc -Wall -Werror root2jpg.c -o root2jpg -lX11 -ljpeg
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
#include <X11/Xlib.h>
#include <X11/Xutil.h>
#include <jpeglib.h>
int exitmsg(int e) {
char buf[256]; // buffer for error messages
switch (e) {
case 1:
sprintf(buf, "value must be from 1 to 59");
break;
case 2:
sprintf(buf, "error opening display");
break;
case 3:
sprintf(buf, "error obtaining image");
break;
case 4:
sprintf(buf, "error failed to open file");
break;
fprintf(stderr, "roo2jpg: %s...\n", buf);
return 1;
int write_jpeg(XImage *img, const char* filename) {
FILE* fp;
unsigned long pixel;
int x, y;
char* tmp;
struct jpeg_compress_struct cinfo;
struct jpeg_error_mgr jerr;
JSAMPROW row_ptr;
fp = fopen(filename, "wb");
if (!fp) return 1;
// parse RGB values into tmp
tmp = malloc(sizeof(char)*3*img->width*img->height);
for (y = 0; y < img->height; y++) {
for (x = 0; x < img->width; x++) {
pixel = XGetPixel(img,x,y);
tmp[y*img->width*3+x*3+0] = (pixel>>16); // red
tmp[y*img->width*3+x*3+1] = ((pixel&0x00ff00)>>8); // green
tmp[y*img->width*3+x*3+2] = (pixel&0x0000ff); // blue
// fill in jpg structures
cinfo.err = jpeg_std_error(&jerr);
jpeg_create_compress(&cinfo);
jpeg_stdio_dest(&cinfo, fp);
cinfo.image_width = img->width;
cinfo.image_height = img->height;
cinfo.input_components = 3;
cinfo.in_color_space = JCS_RGB;
jpeg_set_defaults(&cinfo);
jpeg_set_quality(&cinfo, 85, TRUE);
jpeg_start_compress(&cinfo, TRUE);
// iterate through each scanline writing results to file
while (cinfo.next_scanline < cinfo.image_height) {
row_ptr = (JSAMPROW) &tmp[cinfo.next_scanline*\
(img->depth>>3)*img->width];
jpeg_write_scanlines(&cinfo, &row_ptr, 1);
// clean up
free(tmp);
jpeg_finish_compress(&cinfo);
fclose(fp);
return 0;
int syntax(void) {
system("clear");
printf("%s","\n\n\
roo2jpg screen-shot tool v0.98 [c]2012 Topcat Software LLC.\n\n\
syntax: roo2jpg [-s seconds] [-f file.jpg]\n\n\
where...\n\n\
-s specifies sleep in secs. (1 to 59)\n\n\
-f specifies filename\n\n");
return 0;
int main(int argc, char *argv[]) {
if (argc < 5 || argc > 5) return syntax(); // bad syntax return
int x = strcmp(argv[1], "-s"); // -s option
int y = strcmp(argv[3], "-f"); // -f option
if (x || y) return syntax(); // bad syntax return
int n = atoi(argv[2]); // number of seconds to sleep
if (n < 1 || n > 59) return exitmsg(1); // out of range return error msg
sleep(n); // zzz... n seconds
Display *dpy = XOpenDisplay(0); // attempt to open display
if (dpy == NULL) return exitmsg(2); // else return error
Window root = RootWindow(dpy,DefaultScreen(dpy)); // get root window
XWindowAttributes rootAttributes; // and then...
XGetWindowAttributes(dpy, root, &rootAttributes); // acquire attributes
XImage *img = XGetImage(dpy,root,0,0,\
rootAttributes.width, \
rootAttributes.height, \
XAllPlanes(),ZPixmap); // nab XImage of root window
if (img == NULL) { // if XGetImage() failed
XCloseDisplay(dpy); // close display and
return exitmsg(3); // return error
} else {
x = write_jpeg(img, argv[4]); // write jpg
XDestroyImage(img); // release memory
if (x != 0) { // if libjpg failed
XCloseDisplay(dpy); // close display and
return exitmsg(4); // return error
XCloseDisplay(dpy); // close display and
return 0; // bring it on home
// eof
root2xpm v0.99 [c]2012 Topcat Software LLC.
http://www.topcat.hypermart.net/index.html
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
compilation: gcc -Wall -Werror root2xpm.c -o root2xpm -lX11 -lXpm
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
#include <X11/Xlib.h>
#include </usr/include/X11/xpm.h>
int exitmsg(int e) {
char buf[256]; // buffer for error messages
switch (e) {
case 1:
sprintf(buf, "value must be from 1 to 59");
break;
case 2:
sprintf(buf, "error opening display");
break;
case 3:
sprintf(buf, "error obtaining image");
break;
case 4:
sprintf(buf, "libxpm error");
break;
fprintf(stderr, "root2xpm: %s...\n", buf);
return 1;
int syntax(void) {
system("clear");
printf("%s","\n\n\
root2xpm screen-shot tool v0.99 [c]2012 Topcat Software LLC.\n\n\
syntax: root2xpm [-s seconds] [-f file.xpm]\n\n\
where...\n\n\
-s specifies sleep in secs. (1 to 59)\n\n\
-f specifies filename\n\n");
return 0;
int main(int argc, char *argv[]) {
if (argc < 5 || argc > 5) return syntax(); // bad syntax return
int x = strcmp(argv[1], "-s"); // -s option
int y = strcmp(argv[3], "-f"); // -f option
if (x || y) return syntax(); // bad syntax return
int n = atoi(argv[2]); // number of seconds to sleep
if (n < 1 || n > 59) return exitmsg(1); // out of range return error msg
sleep(n); // zzz... n seconds
Display *dpy = XOpenDisplay(0); // attempt to open display
if (dpy == NULL) return exitmsg(2); // else return error
Window root = RootWindow(dpy,DefaultScreen(dpy)); // get root window
XWindowAttributes rootAttributes; // and then...
XGetWindowAttributes(dpy, root, &rootAttributes); // acquire attributes
XImage *img = XGetImage(dpy,root,0,0,\
rootAttributes.width, \
rootAttributes.height, \
XAllPlanes(),ZPixmap); // nab XImage of root window
if (img == NULL) { // if XGetImage() failed
XCloseDisplay(dpy); // close display and
return exitmsg(3); // return error
} else {
x = XpmWriteFileFromImage(dpy,argv[4],img,0, NULL); // write xpm
XDestroyImage(img); // release memory
if (x == XpmOpenFailed) { // if libxpm failed
XCloseDisplay(dpy); // close display and
return exitmsg(4); // return error
XCloseDisplay(dpy); // close display and
return 0; // bring it on home
// eof
Last edited by topcat-software (2011-12-24 17:20:24)

topcat-software:
Welcome to Arch.  I hope you make the transition soon.  Your picture is a bit outside of our policy with regards to size.  I mostly concern myself with the byte count because many of our users are bandwidth limited.   As moderator, I would generally convert that to a link so that it is not displayed in-line.  But hey, it is the day before Christmas and I am in a good mood
The preferred method is to create a link to the full size picture, and inside that link, in-line a thumbnail so that readers can see the thumb, and click through it, if they wish.
Kind of like this : [ url=link to the big picture ][ img=link to the thumbnail [ /img ][ /url ]
Without the spaces to "break" the BBCode (of course).

Similar Messages

  • I've been taking screen shots for years and opening them from my desktiop. Suddenly, today, I've lost the ability to open them. I can right click on the picture and do "quicklook", but that's it. They just won't open.   Similary, if I scan an image and sa

    I've been taking screen shots for years and opening them from my desktiop. Suddenly, today, I've lost the ability to open them. I can right click on the picture and do "quicklook", but that's it. They just won't open.
    Similary, if I scan an image and save it as a PDF file in pictures, I'm suddenly not able to open it either!
    Why?

    Move the com.apple.screencapture.plist file out of /username/Library/Preferences/ to the Desktop, log out and back in, and try again.
    BTW, use the default 10 point setting for text. Your choice just wastes screen space.

  • Step by step screen shots fro APO and SRM, CRM , SCM extractions.

    hi friends,
    can i get step by step screen shots fro APO and SRM, CRM , SCM extractions.
    Thanking u
    suneel.

    Hi,
    I am not sure that you can find something like you asked but from my point of view BI Content is enough.
    Regards,
    ®

  • My ipod touch 2nd generation keeps taking screen shots by itself and turning off. This is a 'NEW' replacement and is less than 12 months old. Any ideas?

    my ipod touch 2nd generation keeps taking screen shots by itself and turning off. This is a 'NEW' replacement and is less than 12 months old. Any ideas?

    Try:
    - Reset the iOS device. Nothing will be lost
    Reset iOS device: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Reset all settings      
    Go to Settings > General > Reset and tap Reset All Settings.
    All your preferences and settings are reset. Information (such as contacts and calendars) and media (such as songs and videos) aren’t affected.
    - Restore from backup. See:                                 
    iOS: How to back up                                                                
    - Restore to factory settings/new iOS device.             
    If still problem, make an appointment at the Genius Bar of an Apple store since it appears you have a hardware problem.
      Apple Retail Store - Genius Bar                              

  • How to take a screen shot automatica​lly and from a remote location

    Hi,
    I have a Desktop, a Video Analyzer with Windows XP, and a Laptop, also running Windows XP. What I would like to do is take a screen shot from the Video Analyzer while running the LabVIEW VI from my laptop.
    I have found this, which gives me insight into the complexity of a print screen call, but this is really only if LabVIEW were running on the system from which my screen shot is desired. For this post, that is not the case.
    If you have a solution or even just a vague idea or comment, please do not hesitate to post. I appreciate any and all feedback on this topic.
    Thank you for your time.
    Jake Brinkmann
    Electrical Engineering Intern

    Thank you for your response. I would like to aviod using outside software in this. I'm sure that TightVNC is great, and it would probably work. I would, however, just like to do this using labview and labview only. Maybe it isn't possible but I really would like to do it entirely in labview. If anyone has any suggestions, I would love to hear them even if they, too, have outside software involved.
    Thanks again Joseph

  • Plz requesting kindly for screen shots of intercompany and third party sale

    Hi btothers,
    Am into new project where we have intercompany sales and third party sales ,can any one plz send me with step by step screen shots to my mail id [email protected]
    Thanks & regards,
    srinivas

    Hi Srinu,
    Please find below the complete Documentation on Third Party Sales and Intercompany Process.
    THIRD PARTY SCENARIO:
    In third-party order processing, your company does not deliver the items requested by a customer. Instead, you pass the order along to a third-party vendor who then ships the goods directly to the customer and bills you. A sales order may consist partly or wholly of third-party items. Occasionally, you may need to let a vendor deliver items you would normally deliver yourself.
    Process Flow
    The processing of third-party orders is controlled via material types. Material types define whether a material is produced only internally, can be ordered only from third-party vendors, or whether both are possible. For example, a material that is defined as a trading good can only be ordered from a third-party vendor. However, if you manufacture your own finished products, you may also want, from time to time, to be able to order the same type of product from other vendors.
    Processing Third-Party Orders in Sales
    Third-party items can be created automatically by the system, depending on how your system is set. However, you can also change a standard item to a third-party item during sales processing manually.
    Automatic third-party order processing
    If a material is always delivered from one or more third-party vendors, you can specify in the material master that the material is a third-party item. During subsequent sales order processing, the system automatically determines the appropriate item category for a third-party item: TAS. To specify a material as a third-party item, enter BANS in the Item category group field in the Sales 2 screen of the material master record.
    Manual third-party order processing
    In the case of a material that you normally deliver yourself but occasionally need to order from a third-party vendor, you can overwrite the item category during sales order processing. For a material that you normally deliver yourself, you specify the item category group NORM in the material master.
    If, as an exception, you use a third-party material, change the entry TAN to TAS in the ItCa field when processing the sales document. The item is then processed as third-party item.
    If address data for the ship-to party is changed in the sales order in third-party business transactions, the changed data will automatically be passed on to purchase requisition and also to the purchase order ,if one already exists. In the purchase order, you can display the address data for the ship-to party in the attributes for the item.
    You can only change the address data for the ship-to party in the sales order for third-party business transactions, and not in the purchase order.
    Processing Third-Party Orders in Purchasing
    When you save a sales order that contains one or more third-party items, the system automatically creates a purchase requisition in Purchasing. Each third-party item in a sales order automatically generates a corresponding purchase requisition item. During creation of the requisition, the system automatically determines a vendor for each requisition item. If a sales order item has more than one schedule line, the system creates a purchase requisition item for each schedule line.
    Purchase orders are created from purchase requisitions in the usual way. For more information about creating purchase orders, see the Purchasing documentation. During creation of the purchase order, the system automatically copies the delivery address of your customer from the corresponding sales order. In a sales order, you can enter purchase order texts for each third-party item. When you create the corresponding purchase order, the texts are automatically copied into the purchase order. The number of the purchase order appears in the document flow information of the sales order.
    All changes made in the purchase order are automatically made in the sales order as well. For example, if the vendor confirms quantities and delivery dates different from those you request and enters them in the purchase order, the revised data is automatically copied into the sales order
    You process third-party items by creating a normal sales order. In overview for the order, you can then overwrite the default item category (TAN in the standard system) with the special item category for third-party items: TAS
    Billing Third-Party Orders
    If relevance for billing indicator for the item category has been set to B (relevant for order-related billing on the basis of the order quantity) in Customizing, the system includes the order in the billing due list immediately. If, however, the indicator has been set to F (relevant to order-related billing on the basis of the invoice quantity), the system does not include the order in the billing due list until an invoice from the vendor has been received and processed by the purchasing department. In the standard system, item category TAS (third-party order processing) has been given billing-relevance indicator F.
    In the first case, the third-party order is considered to be completely billed only when the invoiced quantity equals the order quantity of the sales order item. In the second case, each time a vendor invoice is received, a customer invoice is created for the quantity in the vendor invoice and the order is considered to be fully invoiced until the next vendor invoice is received.
    If you have activated billing-relevance indicator F for item categories in Customizing, billing can refer to the goods receipt quantity instead of the incoming invoice quantity.
    You can control whether the invoice receipt quantity or the quantity of goods received is relevant for billing in Customizing for copying control for billing at item level.
    FOR YOUR PROCESS Individual Purchase Orders WELL GIVE THE RIGHT SOLUTION
    Individual purchase orders are used when your customer orders goods from you that are not in stock and must be ordered from one or more external vendors.
    Process Flow
    During sales order entry, the system automatically creates a purchase requisition item. The purchasing department creates a purchase order based on the requisition and the vendor ships the goods directly to you (unlike third party order processing, where the vendor ships directly to your customer). You then ship the goods to your customer. While the goods are part of your inventory, you manage them as part of the sales order stock. Sales order stock consists of stock that is assigned to specific sales orders and cannot be used for other purposes.
    Process Flow for 3rd Party Sales
    Customize the third party sales in summary:
    Prerequisites for 3rd party sales,
    Purchasing org,
    purchasing group,
    assign the Purchase org to company code
    assign Purchase org to plant,
    should not maintain the stock in material, it should be trading goods,
    1. Create Vendor XK01
    2. Create Material – Material Type as "Trading Goods". Item category group as "BANS".
    3. Assign Item Category TAS to Order type that you are going to use.
    4. A sale order is created and when saved a PR is generated at the background
    5. With reference to SO a PO is created (ME21N). The company raises PO to the vendor.
    6. Vendor delivers the goods and raises bill to company. MM receives the invoice MIRO
    7. Goods receipt MIGO
    8. Goods issue
    9. The item cat TAS or Schedule line cat CS is not relevant for delivery which is evident from the config and, therefore, there is no delivery process attached in the whole process of Third party sales.
    10. Billing *--
    SD - 3rd party sales order Create Sales Order
    VA01
    Order Type
    Sales org, distr chnl, div
    Enter
    Sold to
    PO #
    Material
    Quantity
    Enter
    Save
    SD - 3rd party sales order View the PR that is created with a third party sales order
    VA01
    Order Number
    Goto Item Overview
    Item ->Schedule Item
    SD - 3rd party sales order View the PR that is created
    ME52N
    Key in the PR number
    Save
    SD - 3rd party sales order Assign the PR to the vendor and create PO
    ME57
    Key in the PR number
    Toggle the "Assigned Purchase Requisition"
    Execute
    Check the box next to the material
    Assign Automatically button
    Click on "Assignments" button
    Click on "Process assignment"
    The "Process Assignment Create PO" box , enter
    Drag the PR and drop in the shopping basket
    Save
    SD - 3rd party sales order Receive Goods
    MIGO_GR
    PO Number
    DN Number
    Batch tab , click on classification
    Serial Numbers tab
    Date of Production
    Flag Item OK
    Check, just in case
    Post
    Save
    SD - 3rd party sales order Create Invoice
    MIRO
    Invoice Date
    Look for the PO , state the vendor and the Material
    Check the box
    Click on "Copy"
    Purchase Order Number (bottom half of the screen)
    Amount
    State the baseline date
    Simulate & Post
    Invoice Number
    *Invoice blocked due to date variance
    SD - 3rd party sales order Create a delivery order
    VL01N
    In the order screen , go to the menu Sales Document , select "Deliver"
    Go to "picking" tab
    State the qty and save
    SD - 3rd party sales order Create a billing document
    VF01
    Ensure that the delivery document is correct in the
    Enter
    Go to edit -> Log
    Save
    Third party order processing is as follows:
    Assume three companies X, Y and Z
    X - The company,
    y - The customer
    Z - Vendor
    When ever X gets a PO from Y to supply some goods, X has an option of either manufacturing those goods or procuring those goods.
    If he is procuring the goods, there are two methods that are generally followed:
    Method 1) After receiving the PO from Y, X creates a sales order against Y.
    Now at the same time he also creates a PO to a vendor Z to produce the goods
    Z produces the goods and supplies to X
    X receives the goods from Z
    Then X delivers the same goods to Y.
    After that X invoices Y and Z invoices X.
    Note : Here there is no direct/ Indirect relation between Z and Y.
    This process is known as Trading Process. and the Material here is created with Material type HAWA.
    The other method is a Third party order processing method:
    Here the glaring difference is that instead of Z supplying the material to X and X in turn supplying the same material to Y.
    X authorizes Z to supply the material to Y on his behalf and notify him once the delivery is complete.
    Now Z supplies the material to Y and acknowledges the same to X.
    Z will send a copy of delivery acknowledgement and invoice to X.
    After receiving the delivery confirmation and invoice from Z, X has to verify the invoice and this process is known as invoice verification and is done in SAP through Tcode MIRO.
    The next step for X is to create an invoice and submit to Y
    Only after the invoice verification document is posted then only X can create an invoice for Y.
    This is the business flow that is followed for third party order configuration.
    There are few steps that have to be configured to enable the system to function as mentioned above.
    Step1)
    If you are always following a third party process for a material then you have to create the material using item category group BANS.
    The procurement type should be marked as External procurement (F) in MRP 2 view of the material master record.
    if you are not always allowing third party order processing then u can create a material master record with item category group as NORM and the procurement type should be marked as ( X) meaning both types of procurement ( in house manufacturing and external procurement).
    Step 2)
    the item category in the order should be manually changed as TAS.
    For that you need to configure the item category determination
    Order type + item cat Group + Usage + High level = Item cat + Manual item cat
    OR + NORM + + = TAN + TAS
    OR + BANS + + = TAS
    Step 3)
    make sure that during the item category configuration for TAS you need to mark relevant for billing indicator as F
    step 4)
    The schedule line category for this type should be CS.
    make sure that you mark subsequent type as NB - purchase requisition in this schedule line category as this will trigger the purchase requisition order immediately after the creation of the sales order and the PO to vendor is created against this purchase requisition.
    Intercompany Process:
    Go through the explanation given below with test cases.
    Business case: -
    Customer orders goods to company code/Sales organization A (Eg.4211/4211).Sales org 4211 will accept and punch the order in the system with sold to party as end customer code in the system. Company code/sales org B (Eg.4436) will deliver the goods to end customer and raise an intercom any billing on 4211 with reference to delivery. This can happen only after 4211 raises invoice to his end customer to whom the material has been delivered by 4436.
    SPRO Customization required:-
    1. Assign plant of delivering company code (Eg.SI81) to sales org/distribution channel combination of ordering company code (Eg.4211/RT)
    2. Maintain intercom any billing type as IV for sales document type OR
    3. Assign Organizational Units By Plant (Eg.SI81/4211/RT/11)
    4.Define Internal Customer Number By Sales Organization (Eg.4436 will create customer master for 4211 company code and that number will be maintained in this relationship:-4211/231)
    5. Automatic posting to vendor account (Optional)
    6. Maintain pricing procedure determination for 4211/RT/A/1/RVAA01-For customer sales and billing
    Maintain pricing procedure determination for 4436/RT/A/1/ICAA01-For intercompony billing
    Master data to be maintained:-
    1. Create end customer master in company code/sales org 4211/RT/11
    2. Create customer master for 4211 company code/sales org in 4436/RT/11
    3. Maintain PR00 as price for end customer-Active in RVAA01
    4. Maintain PI01 as price which has to be paid to 4436-Statistical in RVAA01
    5. Maintain IV01 as inter-company Price-Active in ICAA01
    Process:-
    1. Create OR with sold to party as end customer.
    2. Plant to be selected is delivering plant belonging to different company code. With this selection system will treat this order as intercomany sales.
    3. Pricing procedure is RVAA01
    4. With reference to this order delivery will be created from the delivering plant and post the goods issue for this delivery.
    5. Ordering sales org will create billing document F2 with reference to delivery for end customer.
    6. Delivering sales org will create intercompany billing IV with reference to delivery document.
    Please Reward If Really Helpful,
    Thanks and Regards,
    Sateesh.Kandula

  • Is Awesome Screen Shot a viable and safe add on?

    I just installed Version 4 and looked at the add ons. When I clicked on Awesome Screen Shot, it came up with an advisory. Since I don't know them but I know you...what is your opinion, is it safe to add to my computer?

    It is not made by Mozilla but anything on addons.mozilla.org is safe, and are not malware related.
    https://addons.mozilla.org/en-us/firefox/addon/saved-password-editor/

  • I zoomed in and out of pages, trying to get the right view to take a screen shot for facebook, and now my email homepage is HUGE when every other screen looks normal.

    When I set the view to Zoom Font only, my email page looks normal, but facebook is off. I can't seem to get the settings back to where they were before I tried taking that screen shot. I have tried restarting the computer, but that doesn't help. Am I just screwed?

    Reset the page zoom on pages that cause problems: <b>View > Zoom > Reset</b> (Ctrl+0 (zero); Cmd+0 on Mac)
    * http://kb.mozillazine.org/Zoom_text_of_web_pages

  • Insert and edit screen shots in RH

    I am using RoboHelp HTML 6 to write a help document which
    requires lot of images.
    I am reluctant about the imaging part as I really don't know
    what would be the best way to insert the images in RH. I have these
    options - Using Word or Paint of then RH screen Capture and Resize
    tools.
    I am quite use to of using Word because prior to using RH I
    was using Word for writing the document and this is how I was
    working with the screenshots in the Word document:
    I would take the screen shot of Web application, save it in
    the Paint as jpeg file, insert the jpeg file in Word and further
    more add an arrow and a text box on that screen shot in Word and
    make it as a group for easy to move. There are times; I would also
    resize the screen shot in Word by selecting the screen shot and
    dragging the image resize handle, located at the lower-right
    corner.
    Please, can anybody who deals with lots of images in RH can
    guide me.

    Hi SangyD
    Have you looked at the Tools tab at the bottom of the left
    side of RoboHelp HTML? If not, you will probably be pleasantly
    surprised to see that RoboScreenCapture (RSC) has a home there. RSC
    offers all of what you are looking for at a VERY attractive price.
    It's included at no extra charge!
    Cheers... Rick

  • When im trying to edit a screen shot, my ipod crashes and turns back on. help!

    so i was trying to edit a screen shot from instagram, and my ipod decides to randomly shut off and turn back on. it happens on about every 5th photo and is extremly annoying. help!

    That is a bug in iOS 5.1.1, Restoring the iPod might prevent those crashes

  • OTM not taking screen shots specified in openscript steps

    When i record a script for EBS in OpenScript, at the beginning of each step, a screen shot is taken and can be seen in the results in OpenScript. But when the same script is scheduled in OTM, it does not capture the screenshots. Those are not even seen in the folder where OTM saves the script results. C:\OracleATS\otm\Temp\1358971798821
    is there some setting i am missing?
    Thanks

    Does it pop up in the middle of the screen, or the upper right corner?
    If it's in the upper right corner, it is most likely notifications (email, messages and various other apps will send you notifications when you receive emails, messages, or other items).  They pop up for 5 seconds by default, and if you are watching a movie in full screen, they might bleed through, but quickly disappear as the movie refreshes the screen.  You can show your list of notifications by clicking on the far right icon (looks like a text list) on the tool bar at the top (or by doing a 3-finger swipe from right to left on the touchpad).
    Notifications are the only pop up boxes I'm getting, but then again, I don't have a lot of 3rd party software installed.

  • Best practices for importing .png screen shots into FrameMaker 9?

    I'm new to importing .png screen shots into FrameMaker, and also new to FrameMaker 9. To compound things, I have engineers giving me screen shots taken on Linux machines, using a client like NX to get to Linux. My screen shots are coming in fuzzy and instead of trying to troubleshoot what's going wrong here, I was wondering if someone could quickly tell me what normally works with FrameMaker 9 and .png on a Windows system so I can troubleshoot from there.
    That is, let's say I'm capturing a screen shot on a Windows system and I use some tool (Paint Shop Pro X, SnagIt, Alt-PrintScreen, or whatever).  I save the screen shot as .png and then import by reference into FrameMaker 9.
    What dpi do I use in the capturing program?
    What dpi do I use when I import by reference into FM?
    What if that makes the screen shot too large/too small: Is it better to use the FrameMaker Graphics > Scale solution, to resize it in my capture program, or to retake the screen shot?

    Bringing screenshots into Frame documents has four major considerations:
    how to perform the original screen capture
    how to post-process it in a graphics editor
    what graphical object model (and file format) to store it in
    making sure it isn't damaged by your workflow
    1. Screen Cap, typically of dialog boxes ...
    ... used to be simple; isn't anymore.
    Dialogs used to have identical pixel dimensions on all user screens. You hit Alt[PrntScrn] in Windows and you got a one pixel per pixel 24-bit color image on the clipboard.
    More recent operating systems now have much more scalability in the GUI. So either capture at what the default user sees, or at the optimal presentation enlargement, which might be precisely 2x the default display.
    2. Post
    Before you even start this step, you need to know exactly how you will be presenting the final document out of Frame:
    B&W? Color?
    What dimensional size on the page?
    If hardcopy, what are the optimal parameters of graphical images for your print process? If web or PDF, various other considerations arise. I'll presume print.
    In our workflow, the print engine is 600 dpi bitmap. We normally present images at one column width, about 3.5in. Our PDF workflow passes 600 bitmap untouched, but resamples gray and color to 200 dpi. I tend to use 600 dithered bitmap, but always test if there's any doubt.
    Chances are the screencap bitmap, at your native printing res, is too small. There is no "dpi" associated with clipboard images. Once pasted into an image editor, the editor should provide the ability to declare the dpi (Photoshop does, both at paste, and via "resize without rescale"). If your image editor doesn't, fire it. If you can't see and control dpi, you have no real control over this workflow.
    Plan to save the final image in a format that at least supports linear dimensions (like EPS) if not explicit dpi (TIFF). Save out the image at the exact size you intend to use at import in Frame. Do you know how Frame scales objects? I don't. So do your scaling where you have control over how.
    Play with the defined "dpi" until the linear dimensions match your planned import frame. If that dpi passes through your workflow unmolested, you may not need to perform any resizing.
    If you need to convert from 24-bit color to bitmap (at your printing resolution), I'd suggest using error diffused dithering converting to your target res, as this tends to preserve the hard edges in dialog boxes and rasterized text.
    If you need to re-scale, I'd suggest scaling up by an integer multiple, using "nearest neighbor", to the nearest size just higher than your target dpi. Then rescale bi-linear down to your target size.
    3. File Format
    The main consideration here is compression, followed by color depth and size encoding.
    Screenshots tend to have expanses of flat colors, and hard edges. These objects compress reasonably well using repeat-count compressions (like ZIP or RLE). They tend to get damaged by curve-matching compression, like JPEG, because they typically contain no curves through color space. Hard edges get fuzzy or pick up ringing artifacts.
    So don't use JPEG (and what compression will your workflow use?). I tend to use TIFF(ZIP) for screenshots.
    Avoid indexed color (4-bit, 8-bit or 15/16-bit) color.
    Don't use GIF. It has no size encoding. The usual presumption is that GIF is 72 dpi, which makes importing it a nuisance, and at least a minor math exercise. Plus, it's indexed color, and may scale poorly downstream.
    Experiment. See what looks optimal in the final product.
    4. Workflow
    As you can see throughout the above, all your careful planning can be for nought it your save-as-PDF, distiller or print shop process resamples everything down to 90 dpi. You have to know what's happening, and how to optimize for it, or you probably won't like the result.
    We once had graphics showing up at 10 (yes ten) dpi in print.
    Turned out the print engine could handle JPEG 5 but not JPEG 2000.
    We had to hastily back-port images until a software upgrade fixed it.

  • My macbook pro screen shot isn't saving the picture on the desktop.

    Hi so today I wanted to save something I was looking up online by taking a screen shot. before I've taken screen shots using comman + shift + 3 or 4 and it would automatically save on my desktop but now it isn't doing that. but i still hear the shutter sound. i haven't changed any of the preferences or anything. how do i fix this? please help!

    In Mac Help, there is this notation regarding screen shots:
    Some applications, such as DVD Player, may not let you take pictures of the screen.
    What other applications there may be, I don't know.  Maybe this applies to your lost screen shot?
    The last thing to try is PREVIEW>FILE>NEW FROM CLIPBOARD.
    This then exhausts my ammunition on this item.
    Your post of Dec 12, 2011 3:33 AM seems to raise a new problem;
    ALL my files are on this current account that doesn't take screen shots...and I don't know how to move everything from my documents, to my pictures in iPhoto and music in iTunes.
    I suggest you repost this with more details, thus increasing you audience.
    Ciao.

  • How many push buttons can u place on selection screen application tool bard

    hi
    how many push buttons can u place on selection screen application tool bar
    and what is default function code for that buttons.

    Hi Chaitanya,
    You can place maximum 5 push buttons on Application Toolbar.
    please award the points incase if you are able to get the solution.
    Thanks
    Sivaram

  • Screen shots of sap pm

    some one said  there are many screen shots of sap pm and end user manual screen shots on net and SDN
    if it is true, and any one know any link then help me also.

    Hi,
    Please follow below link. This may help you.
    SAP Installation Screenshots
    Thanks,
    Priyanka

Maybe you are looking for

  • Connecting ipod video to mac and windows???

    I have recently purchased an ipod video, i have two computers, one mac and one windows, the mac has my music on and the windows has ripped dvd's on which can be converted to ipod video compatible files. can i connect my ipod to both computers and add

  • How to attach iBase to iBase through code

    Hi all, If there are iBase A and B, in transaction IB52 (on A), [Directly subordinate objects], [Installation], one could add B as 'Installed iBase', and B becomes a 'Component' of A. My task is to do this in a program, but CRM_IBASE_COMP_CREATE does

  • HT203254 valid or not?

    Is this still valid when Apple once replaced my macbook pro's logic board in this program?

  • How can I use the CPS for Oracle ECM with webcenter

    Hi I did install webcenter "webcenter_windows_x86_101320_disk1" but im not able to use CPS(content portlet suite) anybody used them together before .

  • NTP Server Edition in Configuration

    Hi, I need to have this information that if i do some correction in the existing NTP Server that is my DC (only) so is there any impact on the running application on the rest of the servers in the domain. request for few suggestions over this. Regard