MSI introduces the W20 3M Windows Tablet from notebookcheck

Link: http://www.notebookcheck.net/MSI-introduces-the-W20-3M-Windows-Tablet.105360.0.html

11 inches with AMD HD8189M SSD, it is very good for productivity.

Similar Messages

  • Limitations of trial version 13? I cannot load pictures into the photomerge panorama window either from' browse' or 'add open files'.

    On Adobe's web site it states the trial version has all functionality.  FAQ, common questions & answers | Adobe Photoshop Elements 13 "These trial versions are fully functional, so every feature and aspect of the product is available for you to test-drive. Product trials can easily be converted for unrestricted use without the necessity to reinstall the software in most cases."
    However, I cannot load pictures into the photomerge panorama window either from' browse' or 'add open files'. When I select either way nothing happens.This happens if I enter panorama from photo editor and/or organizer.
    Can anybody enlighten me about this?
    Thanks,
    Barry

    It seems your Samba is denying access to these files & dirs. My best guess would be that either the Samba user is not allowed to write (and read) those (in which case you'd have to modify the permissions accordingly) or Samba sets, when the share is mounted, the permissions such that your user is not allowed to read and write (you may in this case try to just set permissions for you to allow you what you want to do; or use "create mask" or "directory mask" or "writable" in your samba config. ).
    Also, what do the logs say about this? According to your samba conf they are in /var/log/samba/%m.log where %m is the hostname or IP.

  • When I have two browser windows open, the first with multiple tabs the second a window opened from a link (so just one tab), and close the second window, I receive the Quit Firefox prompt, "do you want to save tabs...?"

    This was happening with FF 3 before upgrading to 4, and was not happening with FF4.0 until the 4.0.1 update was applied, the first time it ran. Same issue on another computer running FF3, so may be a extension related problem.
    If I have three windows open and close the third, I do Not get this. Only when two are opened and one is closed. I could have three, close one, then the second and get the prompt.
    Not disabled extensions
    Adblock Plus
    BugMeNot
    Cooliris
    Download Statusbar
    DownloadHelper
    DowntThemAll!
    FireGestures
    HTML5 Extension for Windows Media Player
    HTTPS-Everywhere
    Java Console
    PDF Download
    Session Manager
    TinEye Reverse Image Search
    YouTube Comment Snob
    Disabled

    Does that 2nd window have a '''Close Window''' hyperlink on that page and you are using the X in the upper right corner of that 2nd window to close it?

  • The WMFS Thread (Window Manager From Scratch)

    As the wmfs user community is growing, jasonwryan and myself though about the creation of a special thread for that tiling manager. The aim of this thread is to share informations and config files of wmfs to help new user to start with it,
    So just ask whatever and enjoy using wmfs !

    One wmfs fellow (Alm) wrote a nice python script for the status, here it is :
    #!/usr/bin/python2
    # -*- coding: UTF-8 -*-
    import urllib
    import imaplib
    import os
    import signal
    import time
    import re
    import math
    from datetime import datetime, timedelta
    from mpd import MPDClient, ConnectionError
    from subprocess import Popen, PIPE
    ### configuration
    g_users = [ ['[email protected]', 'PASSWD'] ]
    g_weather = 'chvs0003'
    g_cores = 2
    g_iface = 'wlan0'
    g_wm = 'wmfs'
    ### formatting for wmfs
    g_fmt_weather = '\\#4A4A4A\\C\\#0081DE\\{0}'
    g_fmt_gmail = '\\#4A4A4A\\@\\#AA4499\\{0}'
    g_fmt_mpd = '\\#FFC400\\{0}'
    g_fmt_mixer = '\\#0081DE\\{0}'
    g_fmt_cpu = '\\#4A4A4A\\{0:d}\\#FFCC00\\{1:d}'
    g_fmt_mem = '\\#AA2233\\{0:d}M'
    g_fmt_eth = '\\#4A4A4A\\wlan\\#FFCC00\\{0:d}/{1:d}'
    ### classes ###
    class Wi(object):
    def __init__(self, format = ''):
    self._val = ''
    self._fval = ''
    self._fmt = format
    def format(self):
    self._fval = self._fmt.format(self._val)
    return self._fval
    class WiWeather(Wi):
    _url = 'http://www.meteomedia.com/weather/{0}'
    def __init__(self, area_code, format = ''):
    Wi.__init__(self, format)
    self._url = self._url.format(area_code)
    self._fmt = format
    def update(self):
    contents = urllib.urlopen(self._url).read()
    temp = re.search("<p>([-0-9]*)<\/p>", contents).group(1)
    felt = re.search("</strong>: ([-0-9]*).*</li>", contents).group(1)
    if felt == '-':
    out = temp
    else:
    out = temp + '/' + felt
    if len(out) >= 1:
    self._val = out
    self.format()
    return 0
    else:
    return 61 # if failed, wait ~1min before retrying
    class WiGmail(Wi):
    _delimiter = '/'
    _mailbox = 'INBOX'
    _mailserver = 'imap.gmail.com'
    _port = 993
    def __init__(self, users, format = ''):
    Wi.__init__(self, format)
    self._users = users
    def fetch(self, username, password):
    # set up connection
    server = imaplib.IMAP4_SSL(self._mailserver, self._port)
    server.login(username, password)
    server.select(self._mailbox)
    # get + clean
    data = str(server.status(self._mailbox, '(MESSAGES UNSEEN)'))
    count = data.split()[5].replace(')\'])','')
    server.close()
    server.logout()
    return count
    def update(self):
    out = ''
    for u, p in self._users:
    s = self.fetch(u, p)
    if s == '':
    return 31 # if failed wait ~30 seconds before retrying
    if out == '':
    out += s
    else:
    out += self._delimiter + s
    self._val = out
    self.format()
    return 0
    class WiMpd(Wi):
    def __init__(self, host = 'localhost', port = '6600', format = ''):
    Wi.__init__(self, format)
    self._host = host
    self._port = port
    self._con_id = {'host':host, 'port':port}
    self._client = MPDClient()
    self._connected = False
    self.connect()
    def connect(self):
    try:
    self._client.connect(**self._con_id)
    except IOError as e:
    print(e)
    return False
    except ConnectionError as e:
    print(e)
    return False
    else:
    self._connected = True
    return True
    def update(self):
    if not self._connected:
    if not self.connect():
    return 1
    st = self._client.status()
    if st['state'] == 'play' or st['state'] == 'pause':
    so = self._client.currentsong()
    self._val = "%s - %s" % (so['artist'], so['title'])
    else:
    self._val = ''
    self.format()
    return 0
    class WiMixer(Wi):
    def __init__(self, args = ["amixer","sget","Master"], format = ''):
    Wi.__init__(self, format)
    self._args = args
    pass
    def update(self):
    p = Popen(self._args, stdout=PIPE).communicate()[0]
    out = re.search("([0-9]*%)",p).group(1)
    mute = re.search("(\[[onf]*\])",p).group(1)
    if mute == "[off]":
    self._val = 'mute'
    else:
    self._val = out
    self.format()
    return 0
    class WiCpu(Wi):
    def __init__(self, cores = 2, format = ''):
    Wi.__init__(self, format)
    self._cores = cores
    self._total = [0]*cores
    self._active = [0]*cores
    def format(self):
    self._fval = ''
    for i in list(range(self._cores)):
    self._fval += self._fmt.format(i+1, int(self._val[i]))
    return self._fval
    def update(self):
    usage = [0]*self._cores
    for line in open("/proc/stat"):
    r = re.search("^cpu([0-9])",line)
    if r is None:
    continue
    n = int(r.group(1))
    #space to avoid matching the first digit (cpuN)
    s = re.findall(" ([0-9]+)",line)
    total_new = 0
    for i in s:
    total_new += float(i)
    active_new = float(s[0]) + float(s[1]) + float(s[2])
    diff_total = total_new - self._total[n]
    diff_active = active_new - self._active[n]
    usage[n] = math.floor(diff_active / diff_total * 100)
    #store totals
    self._total[n] = total_new
    self._active[n] = active_new
    self._val = usage
    self.format()
    return 0
    class WiMem(Wi):
    def __init__(self, format = ''):
    Wi.__init__(self, format)
    def update(self):
    for line in open("/proc/meminfo"):
    r = re.search("([a-zA-Z]+):[^0-9]+([0-9]+).+",line)
    if r is None:
    continue
    m = r.group(1)
    n = int(r.group(2))
    if m == "MemTotal":
    total = n
    elif m == "MemFree":
    free = n
    elif m == "Buffers":
    buf = n
    elif m == "Cached":
    cached = n
    break
    self._val = int((total - free - buf - cached)/1024)
    self.format()
    return 0
    class WiEth(Wi):
    def __init__(self, iface = 'wlan0', format = ''):
    Wi.__init__(self, format)
    self._iface = iface
    self._rx = 0
    self._tx = 0
    self._time = 0
    def format(self):
    self._fval = self._fmt.format(int(self._val[0]),int(self._val[1]))
    return self._fval
    def update(self):
    for line in open("/proc/net/dev"):
    r = re.search("wlan0", line)
    if r is None:
    continue
    s = re.findall(" ([0-9]+)", line)
    rx = int(s[0])
    tx = int(s[8])
    now = time.time()
    interval = now - self._time
    rx_rate = (rx - self._rx) / interval / 1024
    tx_rate = (tx - self._tx) / interval / 1024
    self._val = [rx_rate, tx_rate]
    #store results
    self._rx = rx
    self._tx = tx
    self._time = now
    self.format()
    return 0
    class Task(object):
    def __init__(self, func, name, delay, args=()):
    self._args = args
    self._function = func
    self._name = name
    micro = int((delay - math.floor(delay)) * 1000000)
    self._delay = timedelta(seconds=int(delay), microseconds=micro)
    self._next_run = datetime.now() #to force first run now
    def should_run(self):
    return datetime.now() >= self._next_run
    def run(self):
    delay = self._function(*(self._args))
    if delay == 0:
    self._next_run = datetime.now() + self._delay
    else:
    self._next_run = datetime.now() + timedelta(seconds=delay)
    ### signals ###
    # to print stats
    def sig_usr1(signum, frame):
    global tasks
    now = datetime.now()
    for t in tasks:
    print(t._name + " will run in " + str(t._next_run - now))
    return
    # to force execution
    def sig_usr2(signum, frame):
    global tasks
    for t in tasks:
    t.run()
    return
    signal.signal(signal.SIGUSR1, sig_usr1)
    signal.signal(signal.SIGUSR2, sig_usr2)
    ### main ###
    gm = WiGmail(g_users, format=g_fmt_gmail)
    we = WiWeather(g_weather, format=g_fmt_weather)
    mp = WiMpd(format=g_fmt_mpd)
    mi = WiMixer(format=g_fmt_mixer)
    cp = WiCpu(g_cores, format=g_fmt_cpu);
    me = WiMem(format=g_fmt_mem);
    et = WiEth(g_iface, format=g_fmt_eth);
    tasks = [ Task(gm.update,'gmail',91), Task(we.update,'weather',1801), Task(mp.update,'mpd',1), Task(mi.update,'mixer',1), Task(cp.update,'cpu',2), Task(me.update,'mem',13), Task(et.update,'net',2) ]
    while True:
    try:
    for t in tasks:
    if t.should_run():
    t.run()
    now = datetime.now().strftime("%e/%m %H:%M")
    os.system('wmfs -s "%s %s %s %s %s %s %s \\#AA4499\\ %s"' % (cp._fval,me._fval,et._fval,gm._fval,we._fval,mp._fval,mi._fval,now) )
    except IOError as e:
    print(e)
    except Exception as e:
    print(e)
    finally:
    time.sleep(1)
    Last edited by aleks223 (2010-12-30 18:00:35)

  • How do I know if the pop-up window is from Adobe or not?

    I sometimes get pop-ups in my browser that tell me I have to update my software. I just got one concerning Flash Player. The link it redirected me to is this one:
    https://get3.adobe.com/flashplayer/download/?installer=FP_16_Mac_for_Safari_and_Firefox_-_ NPAPI&os=OSX&browser_type=KHTML&browser_dist=Safari&d=Adobe_Photoshop_Lightroom_for_Macint osh&dualoffer=false&type=au&browser_vers=7
    Which I assume is okey. But just to check I went to adobe.com and found the link to install and update Flash player there and the link is then:
    http://get.adobe.com/flashplayer/download/?installer=FP_16_Mac_for_Safari_and_Firefox_-_NP API&os=OSX&browser_type=KHTML&browser_dist=Safari&d=Adobe_Photoshop_Lightroom_for_Macintos h&p=ltrosx&dualoffer=false
    So no get3 like in the first link. Why the difference, and how can I tell for sure that it is not someone pretending to be Adobe?
    Sorry for possibly putting this in the wrong community but I could not find the proper place for this topic, and I had to choose a community to be able to post.

    You should ask there: Flash Player
    You won't find any answer here.
    Sorry

  • How do you change the music for an export from a selection of pictures?

    I have iTunes and know how to change the music for a slideshow but if I select pictures from a folder and export to QuickTime how do I change the music?
    There is an option to "Add currently selected music to movie" but it always plays the same tune. How do I get an option to select an iTunes song like with the Slideshow? Where are the slideshow sample music files stored? There are 11 files in the sample folder but I can't find any of them on my drive.

    Maybe there is some confusion in what I'm telling you. There are two types of slideshows in iPhoto. One creates a special slideshow album that appears in the Source pane on the left side. This is not the one I'm talking about. (You create one of these slideshow albums when you select some photos and click the Slideshow icon (the one with a Plus sign on it) at the bottom of the iPhoto window.
    The other slideshow is done from the main library window or from a regular album (not a slideshow album). You either select some photos (or a roll) from the Library or select an album (with a folder icon). Then click the Play button which is on the bottom right hand side of the iPhoto window.
    If your Play button is on the left side, then you aren't using the correct one. The one that appears on the left side shows when you've selected a Slideshow Album from the source pane. This type of album has an icon that looks like a couple of slides (the kind you put in a projector).
    Does that make a difference?

  • How to ftp to windows server from unix server

    Hi Gurus,
    Can anybody please guide me how to ftp the files to windows server from unix server. I can do the file transfer via unix by using the shell scripts, where as for windows how can we do that.
    Please advice.
    Regards
    Nagendra

    Hi.
    It's possible many solution.
    1. Setup Ftp server on Windows and use general scripts.
    http://support.microsoft.com/kb/323384
    2. Create general share folder on windows and use smbclient from samba.
    3. Create general share folder on windows and mount this folder to Linux.
    Reagrds.

  • I accidentally removed the current webpage search box from the lower left corner. How do I get this back?

    This is the box wherein I can enter a key word and it will be found on the current webpage.

    How do I show and hide the different toolbars?
    Most toolbars can be shown or hidden depending on your needs. To show or hide a toolbar, right-click on an empty section of the Tab Strip and check or uncheck it in the pop-up menu.
    Menu Bar: This toolbar at the top of the Firefox window contains the browser menus (File, Edit, Help, etc.). On Windows Vista and 7, the Menu Bar is hidden by default, and its features are contained in the Firefox button. If the Menu Bar is hidden, you can temporarily show it by pressing the Alt key.
    Tab Strip: This is where your tabs are displayed. You can't hide it.
    Navigation Toolbar: This toolbar contains your web site navigation buttons, the Location Bar, the Search Bar, the Home button and the Bookmarks button.
    Bookmarks Toolbar: This toolbar contains your Bookmarks Toolbar Folder bookmarks. For more information, see Bookmarks Toolbar - Display your favorite websites at the top of the Firefox window. On new installations of Firefox, the Bookmarks Toolbar is hidden by default.
    Add-on Bar: This toolbar at the bottom of the Firefox window contains buttons associated with your extensions (if they are made available by the add-on developer). See The Add-on Bar gives you quick access to add-on features for more information.
    Toolbars - win1
    How do I customize or rearrange toolbar items?
    Right-click an empty section of the Tab Strip and select Customize.... The Customize Toolbar window opens.
    Change the toolbar items as necessary. For an explanation of what each item does, see Customize navigation buttons like back, home, bookmarks and reload.
    To add an item, drag it from the Customize Toolbar window onto the toolbar where you want it to appear.
    To remove an item, drag it to the Customize Toolbar window.
    To rearrange an item, drag it to the spot where you want it.
    When finished, click Done.
    Toolbars - win2
    Try it out: Experiment with different arrangements. You can always restore the default toolbar settings by clicking Restore Default Set in the Customize Toolbar window.
    Icon appearance options
    There are additional options to change the appearance of your toolbar icons at the bottom of the Customize Toolbar window:
    Show: From the Show dropdown menu, you can choose what to display in the toolbars: icons, text, or icons and text together. By default, Firefox shows icons only.
    Use Small Icons: Check this option to make the toolbar smaller.
    How can I add extra toolbars?
    Right-click an empty section of the Tab Strip and select Customize.... The Customize Toolbar window opens.
    At the bottom of the Customize Toolbar window, click Add New Toolbar. The New Toolbar window opens.
    In the New Toolbar window, enter a name for your toolbar and click OK.
    Add items to the toolbar as described above. If you don't add any, Firefox won't create your toolbar.
    When you're finished adding items, click Done.
    Your new toolbar appears below the Navigation Toolbar.
    Try it out: Make a new toolbar. You can always remove extra toolbars by clicking Restore Default Set in the Customize Toolbar window.
    I have missing toolbars, unwanted toolbars or toolbars that get reset

  • I have a new Windows tablet computer with limited hard drive space, and cannot transfer my itunes library to the hard drive. Can I run t media from an external hard drive? If so, how do I transfer my files?

    I have a new Windows tablet computer with limited hard drive space (32 GB), and cannot transfer my itunes library to the hard drive. Can I run itunes from an external hard drive? I have tried to follow some of the directions on this site, but am having no success. Thanks.

    iTunes will run fine with the media on an external drive.
    However, I suggest that a tablet computer with a tiny hard drive is not ideal as the primary computer for managing an iTunes library, even a small one. If you have another machine, perhaps a big, boxy, inexpensive old desktop with a decent amount of storage, that might be a better choice.
    http://support.apple.com/kb/HT1364

  • While updating the older version iTunes to latest one it shows "a network error occurred while attempting to read from the file: C:\windows\installer\iTunes64.msi. pls help on this matter to connect my i5 to PC. Thanks in advance

    while updating the older version iTunes to latest one it shows "a network error occurred while attempting to read from the file: C:\windows\installer\iTunes64.msi. pls help on this matter to connect my i5 to PC. Thanks in advance

    (1) Download the Windows Installer CleanUp utility installer file (msicuu2.exe) from the following Major Geeks page (use one of the links under the "DOWNLOAD LOCATIONS" thingy on the Major Geeks page): 
    http://majorgeeks.com/download.php?det=4459
    (2) Doubleclick the msicuu2.exe file and follow the prompts to install the Windows Installer CleanUp utility. (If you're on a Windows Vista or Windows 7 system and you get a Code 800A0046 error message when doubleclicking the msicuu2.exe file, try instead right-clicking on the msicuu2.exe file and selecting "Run as administrator".)
    (3) In your Start menu click All Programs and then click Windows Install Clean Up. The Windows Installer CleanUp utility window appears, listing software that is currently installed on your computer.
    (4) In the list of programs that appears in CleanUp, select any iTunes entries and click "Remove", as per the following screenshot:
    (5) Quit out of CleanUp, restart the PC and try another iTunes install. Does it go through properly this time?

  • I am getting "a network error occurred while attempting to read from the file c:\windows\installer\itunes.msi" when I attempt to download itunes, can someone help me with this?

    I am getting "a network error occurred while attempting to read from the file c:\windows\installer\itunes.msi" when I attempt to install itunes.  Can anybody help me to resolve this issue?

    You can try disabling the computer's antivirus and firewall during the download the iTunes installation
    Also try posting in the iTunes forum since it is not an iPod touch problem.

  • When I try to install Itunes, I get this error: (translated from Norwegian) There was a network error while trying to read from the file: C: \ windows \ installer \ iTunes.msi I have tried many times to reinstall, but nothing helps, please help me.

    When I try to install Itunes, I get this error: (translated from Norwegian) There was a network error while trying to read from the file: C: \ windows \ installer \ iTunes.msi I have tried many times to reinstall, but nothing helps, please help me.

    (1) Download the Windows Installer CleanUp utility installer file (msicuu2.exe) from the following Major Geeks page (use one of the links under the "DOWNLOAD LOCATIONS" thingy on the Major Geeks page):
    http://majorgeeks.com/download.php?det=4459
    (2) Doubleclick the msicuu2.exe file and follow the prompts to install the Windows Installer CleanUp utility. (If you're on a Windows Vista or Windows 7 system and you get a Code 800A0046 error message when doubleclicking the msicuu2.exe file, try instead right-clicking on the msicuu2.exe file and selecting "Run as administrator".)
    (3) In your Start menu click All Programs and then click Windows Install Clean Up. The Windows Installer CleanUp utility window appears, listing software that is currently installed on your computer.
    (4) In the list of programs that appears in CleanUp, select any iTunes entries and click "Remove", as per the following screenshot:
    (5) Quit out of CleanUp, restart the PC and try another iTunes install. Does it go through properly this time?

  • Trying to update to iTunes 10.4.1 and I get a message "A network error occured while attempting to read from the file C:|Windows|Installer|iTunes.msi"  Running WIndows 7 with all updates done.  I  have never had an issue with iTunes updating before.  Anyo

    iTunes has tried to update itself and runs into an error and tells me to manually install.  When I d/l and run the iTunesSetup.exe file I always encounter the following error message...
    "A network error occured while attempting to read from the file C;|Windows|Installer|iTunes.msi" and iTunes does not update to iTunes 10.4.1.
    Anyone know what is creating this error message?  Thanks for the help...

    (1) Download the Windows Installer CleanUp utility installer file (msicuu2.exe) from the following Major Geeks page (use one of the links under the "DOWNLOAD LOCATIONS" thingy on the Major Geeks page): 
    http://majorgeeks.com/download.php?det=4459
    (2) Doubleclick the msicuu2.exe file and follow the prompts to install the Windows Installer CleanUp utility. (If you're on a Windows Vista or Windows 7 system and you get a Code 800A0046 error message when doubleclicking the msicuu2.exe file, try instead right-clicking on the msicuu2.exe file and selecting "Run as administrator".)
    (3) In your Start menu click All Programs and then click Windows Install Clean Up. The Windows Installer CleanUp utility window appears, listing software that is currently installed on your computer.
    (4) In the list of programs that appears in CleanUp, select any iTunes entries and click "Remove", as per the following screenshot:
    (5) Quit out of CleanUp, restart the PC and try another iTunes install. Does it go through properly this time?

  • Cannot delete itunes from pc,message states. a network error occurred while attempting to read from the file C:\windows\installer\itunes.msi

    ITUNES WILL NOT DELETE FROM ADD @ REMOVE PROGRAMS,
    MESSAGE, READS  a network error occured while attempting to read from the file  C:WINDOWS\installer\iTunes.msi

    All sorted now just needed to repair itunes from control panel

  • Install windows 8 64bit on 64bit architecture tablet(acer iconia w4-820) by removing the preloaded 32bit windows 8.1 or dual boot

    Hi,
    I need to install windows 8 64bit on a 64bit architecture Tablet(acer iconia w4-820) by removing the preloaded 32bit windows 8.1 or should make it as dual boot. For a project purpose.
    I tried booting the tablet from windows 8 64bit DVD for installation but it does't even detect the DVD Drive. when i insert the recovery DVD which came with acer it gets detected. 
    The windows 8 64bit DVD which am trying to install is volume licensed which we use to install on our laptops. That works fine with Laptops.
    Is their any different version of windows 8 do i need to try for installing on Tablet(acer iconia w4-820) or where am i going wrong.
    Thank for your help. 

    SM
    DISCLAIMER.  I would contact Acer about this to be safe, but if you only have one HD in the tablet you are going to have to do a clean install by formatting the HD.  You cant run 64 bit & 32 bit on the same drive AFAIK.
    Wanikiya and Dyami--Team Zigzag

Maybe you are looking for

  • Formatting in ALV report

    Hi All, I wanted to do the formatting in ALV report output. How I can do that? Formatting means colour the field, & all. If possible send me any sample code.. Regards, Poonam

  • Saving data in the portal

    Hi Experts, i have a requirement from the business department to open a word document in the portal, change it and save it directly in the portal, so that the next one can open it and see the changes. I know how i can make a file available in the por

  • Does too exist!

    This question is related to my post: how to copy a table from one database to another http://forums.microsoft.com/MSDN/ShowPost.aspx?PostID=292125&SiteID=1 I decided to start a new thread for this issue because it is so frustrating. I am hoping someo

  • Can I fullfill from BADI customer fields that appear at item overview ?

    Hi, I can see that in SAPLBBP_SC_UI_ITS 120 (item overview) I have fields CUST1...CUST5.  called in runtime GT_SCR_ITMOVR_I-CUST1.... I have tried to show content using a screen variant, but I haven't achieved. I think that is working but this field

  • Styling rectagles in Muse

    Styling of rectangles in Muse only with rounded corners. No bevel corner option, like in Indesign?