Quantcast
Jump to content


New Vulkan Extensions for Mobile: Legacy Support Extensions


Recommended Posts

2021-06-21-01-banner.jpg

The Samsung Developers team works with many companies in the mobile and gaming ecosystems. We're excited to support our partner, Arm, as they bring timely and relevant content to developers looking to build games and high-performance experiences. This Vulkan Extensions series will help developers get the most out of the new and game-changing Vulkan extensions on Samsung mobile devices.

Android is enabling a host of useful new Vulkan extensions for mobile. These new extensions are set to improve the state of graphics APIs for modern applications, enabling new use cases and changing how developers can design graphics renderers going forward. I have already provided information about ‘maintenance extensions’. However, another important extension that I explore in this blog is ‘legacy support extensions’.

Vulkan is increasingly being used as a portable “HAL”. The power and flexibility of the API allows for great layered implementations. There is a lot of effort spent in the ecosystem enabling legacy graphics APIs to run efficiently on top of Vulkan. The bright future for driver developers is a world where GPU drivers only implement Vulkan, and where legacy APIs can be implemented on top of that driver.

To that end, there are several features which are generally considered backwards today. They should not be used in new applications unless absolutely required. These extensions exist to facilitate old applications which need to keep running through API translation layers such as ANGLE, DXVK, Zink, and so on.

VK_EXT_transform_feedback

Speaking the name of this extension causes the general angst level to rise in a room of driver developers. In the world of Direct3D, this feature is also known as stream-out.

The core feature of this extension is that whenever you render geometry, you can capture the resulting geometry data (position and vertex outputs) into a buffer. The key complication from an implementation point of view is that the result is ordered. This means there is no 1:1 relation for input vertex to output data since this extension is supposed to work with indexed rendering, as well as strip types (and even geometry shaders and tessellation, oh my!).

This feature was invented in a world before compute shaders were conceived. The only real method to perform buffer <-> buffer computation was to make use of transform feedback, vertex shaders and rasterizationDiscard. Over time, the functionality of Transform Feedback was extended in various ways, but today it is essentially obsoleted by compute shaders.

There are, however, two niches where this extension still makes sense - graphics debuggers and API translation layers. Transform Feedback is extremely difficult to emulate in the more complicated cases.

Setting up shaders

In vertex-like shader stages, you need to set up which vertex outputs to capture to a buffer. The shader itself controls the memory layout of the output data. This is unlike other APIs, where you use the graphics API to specify which outputs to capture based on the name of the variable.

Here is an example Vulkan GLSL shader:

#version 450

layout(xfb_stride = 32, xfb_offset = 0, xfb_buffer = 0, location = 0)
out vec4 vColor;
layout(xfb_stride = 32, xfb_offset = 16, xfb_buffer = 0, location = 1)
out vec4 vColor2;

layout(xfb_buffer = 1, xfb_stride = 16) out gl_PerVertex {
    layout(xfb_offset = 0) vec4 gl_Position;
};

void main()
{
	gl_Position = vec4(1.0);
	vColor = vec4(2.0);
	vColor2 = vec4(3.0);
}

The resulting SPIR-V will then look something like:

Capability TransformFeedback
ExecutionMode 4 Xfb
Decorate 8(gl_PerVertex) Block
Decorate 10 XfbBuffer 1
Decorate 10 XfbStride 16
Decorate 17(vColor) Location 0
Decorate 17(vColor) XfbBuffer 0
Decorate 17(vColor) XfbStride 32
Decorate 17(vColor) Offset 0
Decorate 20(vColor2) Location 1
Decorate 20(vColor2) XfbBuffer 0
Decorate 20(vColor2) XfbStride 32
Decorate 20(vColor2) Offset 16

Binding transform feedback buffers

Once we have a pipeline which can emit transform feedback data, we need to bind buffers:

vkCmdBindTransformFeedbackBuffersEXT(cmd,
firstBinding, bindingCount,
pBuffers, pOffsets, pSizes);

To enable a buffer to be captured, VK_BUFFER_USAGE_TRANSFORM_FEEDBACK_BUFFER_BIT_EXT is used.

Starting and stopping capture

Once we know where to write the vertex output data, we will begin and end captures. This needs to be done inside a render pass:

vkCmdBeginTransformFeedbackEXT(cmd,
	firstCounterBuffer, counterBufferCount,
	pCounterBuffers, pCounterBufferOffsets);

A counter buffer allows us to handle scenarios where we end a transform feedback and continue capturing later. We would not necessarily know how many bytes were written by the last transform feedback, so it is critical that we can let the GPU maintain a byte counter for us.

vkCmdDraw(cmd, …);
vkCmdDrawIndexed(cmd, …);

Then we can start rendering. Vertex outputs are captured to the buffers in-order.

vkCmdEndTransformFeedbackEXT(cmd,
	firstCounterBuffer, counterBufferCount,
	pCounterBuffers, pCounterBufferOffsets);

Once we are done capturing, we end the transform feedback and, with the counter buffers, we can write the new buffer offsets into the counter buffer.

Indirectly drawing transform feedback results

This feature is a precursor to the more flexible indirect draw feature we have in Vulkan, but there was a time when this feature was the only efficient way to render transform feedbacked outputs. The fundamental problem is that we do not necessarily know exactly how many primitives have been rendered. Therefore, to avoid stalling the CPU, it was required to be able to indirectly render the results with a special purpose API.

vkCmdDrawIndirectByteCountEXT(cmd,
	instanceCount, firstInstance,
	counterBuffer, counterBufferOffset,
	counterOffset, vertexStride);

This works similarly to a normal indirect draw call, but instead of providing a vertex count, we give it a byte count and let the GPU perform the divide instead. This is nice, as otherwise we would have to dispatch a tiny compute kernel that converts a byte count to an indirect draw.

Queries

The offset counter is sort of like a query, but if the transform feedback buffers overflow, any further writes are ignored. The VK_QUERY_TYPE_TRANSFORM_FEEDBACK_STREAM_EXT queries how many primitives were generated. It also lets you query how many primitives were attempted to be written. This makes it possible to detect overflow if that is desirable.

VK_EXT_line_rasterization

Line rasterization is a tricky subject and is not normally used for gaming applications since they do not scale with resolution and their exact behavior is not consistent across all GPU implementations.

In the world of CAD, however, this feature is critical, and older OpenGL APIs had extensive support for quite fancy line rendering methods. This extension essentially brings back those workstation features. Advanced line rendering can occasionally be useful for debug tooling and visualization as well.

The feature zoo

typedef struct VkPhysicalDeviceLineRasterizationFeaturesEXT {
	VkStructureType sType;
	void*          		pNext;
	VkBool32       rectangularLines;
	VkBool32       bresenhamLines;
	VkBool32       smoothLines;
	VkBool32       stippledRectangularLines;
	VkBool32       stippledBresenhamLines;
	VkBool32       stippledSmoothLines;
} VkPhysicalDeviceLineRasterizationFeaturesEXT;

This extension supports a lot of different feature bits. I will try to summarize what they mean below.

Rectangular lines vs parallelogram

When rendering normal lines in core Vulkan, there are two ways lines can be rendered. If VkPhysicalDeviceLimits::strictLines is true, a line is rendered as if the line is a true, oriented rectangle. This is essentially what you would get if you rendered a scaled and rotated rectangle yourself. The hardware just expands the line along the perpendicular axis of the line axis.

In non-strict rendering, we get a parallelogram. The line is extended either in X or Y directions.

(From Vulkan specification)

Bresenham lines

Bresenham lines reformulate the line rendering algorithm where each pixel has a diamond shaped area around the pixel and coverage is based around intersection and exiting the area. The advantage here is that rendering line strips avoids overdraw. Rectangle or parallelogram rendering does not guarantee this, which matters if you are rendering line strips with blending enabled.

(From Vulkan specification)

Smooth lines

Smooth lines work like rectangular lines, except the implementation can render a little further out to create a smooth edge. Exact behavior is also completely unspecified, and we find the only instance of the word “aesthetic” in the entire specification, which is amusing. This is a wonderfully vague word to see in the Vulkan specification, which is otherwise no-nonsense normative.

This feature is designed to work in combination with alpha blending since the smooth coverage of the line rendering is multiplied into the alpha channel of render target 0’s output.

Line stipple

A “classic” feature that will make most IHVs cringe a little. When rendering a line, it is possible to mask certain pixels in a pattern. A counter runs while rasterizing pixels in order and with line stipple you control a divider and mask which generates a fixed pattern for when to discard pixels. It is somewhat unclear if this feature is really needed when it is possible to use discard in the fragment shader, but alas, legacy features from the early 90s are sometimes used. There were no shaders back in those days.

Configuring rasterization pipeline state

When creating a graphics pipeline, you can pass in some more data in pNext of rasterization state:

typedef struct VkPipelineRasterizationLineStateCreateInfoEXT {
	VkStructureType    sType;
	const void*             pNext;
	VkLineRasterizationModeEXT lineRasterizationMode;
	VkBool32                stippledLineEnable;
	uint32_t                   lineStippleFactor;
	uint16_t                   lineStipplePattern;
} VkPipelineRasterizationLineStateCreateInfoEXT;

typedef enum VkLineRasterizationModeEXT {
    VK_LINE_RASTERIZATION_MODE_DEFAULT_EXT = 0,
    VK_LINE_RASTERIZATION_MODE_RECTANGULAR_EXT = 1,
    VK_LINE_RASTERIZATION_MODE_BRESENHAM_EXT = 2,
    VK_LINE_RASTERIZATION_MODE_RECTANGULAR_SMOOTH_EXT = 3,
} VkLineRasterizationModeEXT;

If line stipple is enabled, the line stipple factors can be baked into the pipeline, or be made a dynamic pipeline state using VK_DYNAMIC_STATE_LINE_STIPPLE_EXT.

In the case of dynamic line stipple, the line stipple factor and pattern can be modified dynamically with:

vkCmdSetLineStippleEXT(cmd, factor, pattern);

VK_EXT_index_type_uint8

In OpenGL and OpenGL ES, we have support for 8-bit index buffers. Core Vulkan and Direct3D however only support 16-bit and 32-bit index buffers. Since emulating index buffer formats is impractical with indirect draw calls being a thing, we need to be able to bind 8-bit index buffers. This extension does just that.

This is probably the simplest extension we have look at so far:

vkCmdBindIndexBuffer(cmd, indexBuffer, offset, VK_INDEX_TYPE_UINT8_EXT);
vkCmdDrawIndexed(cmd, …);

Conclusion

I have been through the 'maintenance' and 'legacy support' extensions that are part of the new Vulkan extensions for mobile. In the next three blogs, I will go through what I see as the 'game-changing' extensions from Vulkan - the three that will help to transform your games during the development process.

Follow Up

Thanks to Hans-Kristian Arntzen and the team at Arm for bringing this great content to the Samsung Developers community. We hope you find this information about Vulkan extensions useful for developing your upcoming mobile games. The original version of this article can be viewed at Arm Community.

The Samsung Developers site has many resources for developers looking to build for and integrate with Samsung devices and services. Stay in touch with the latest news by creating a free account or by subscribing to our monthly newsletter. Visit the Marketing Resources page for information on promoting and distributing your apps and games. Finally, our developer forum is an excellent way to stay up-to-date on all things related to the Galaxy ecosystem.

View the full blog at its source

Link to comment
Share on other sites



  • Replies 0
  • Created
  • Last Reply

Top Posters In This Topic

Popular Days

Top Posters In This Topic

Join the conversation

You can post now and register later. If you have an account, sign in now to post with your account.
Note: Your post will require moderator approval before it will be visible.

Guest
Reply to this topic...

×   Pasted as rich text.   Paste as plain text instead

  Only 75 emoji are allowed.

×   Your link has been automatically embedded.   Display as a link instead

×   Your previous content has been restored.   Clear editor

×   You cannot paste images directly. Upload or insert images from URL.

Loading...
  • Similar Topics

    • By Samsung Newsroom
      Samsung Electronics today announced that its Tizen OS will be embedded in Loewe’s latest premium TV, stellar, set to launch on July 15 in Europe. This is a significant milestone for the Tizen Licensing Program, which started in 2022 and is now rapidly growing in Europe and worldwide.
       
      “This new collaboration with Loewe ensures that its latest luxury TV, stellar, will exceed expectations with the high-end experiences it brings to consumers,” said YS Kim, EVP, Head of the Service Business Team, Visual Display Business at Samsung Electronics. “It’s also more momentum for Tizen OS, which has established itself as the software platform of choice for premium TVs. Moving forward, we will continue to push the boundaries of how users interact with their TVs.”
       
      Loewe, renowned for its luxury and high-end TVs, has chosen Tizen OS to enhance the viewing experience of its consumers. In particular, the brand is celebrated for its impeccable design and use of premium and unique materials — including stone and concrete back panels. Building on that foundation, this partnership with Samsung underscores the mutual commitment of both companies to deliver superior user experiences.
       
      Tizen OS, based on the newest 2024 Tizen licensing platform, offers a wealth of content and service options, making it the ideal choice for Loewe’s discerning customer base. With Tizen OS, users have access to a wide variety of features, ensuring an unparalleled entertainment experience. Key features include:
       
      Samsung TV Plus: A vast array of free channels and on-demand content, providing a diverse selection of entertainment options. Gaming Hub: Access to top gaming platforms and services, offering an integrated gaming experience of 1,000+ titles without the need of a console. SmartThings: Seamless connection to smart devices in your home.  
      Outside of licensing partnerships, Tizen OS powers 270 million Samsung Smart TVs and offers an intuitive interface that minimizes the steps required for navigation and customization. Tizen OS users can stream their favorite content and play thousands of games — all on one screen — and every aspect of the TV experience is personalized and secured by Samsung Knox.
      View the full article
    • By Shashank Suryavanshi
      Hi, I've developed the Tizen app using the web and now after building it, the build is created in wgt format.
      I want to install the build directly on Samsung Tv so that I can test the app there once.
      I've already created the certificates and it's also verified by the Tizen team.
      Now, when I tried to connect the SamsungTv with Tizen using the Device Manager I'm getting these following errors
      The remote device is already connected by another one. This remote device is running on a non-standard port or There is no IP address, please check the physical connection What I've done?
      I opened the developer mode of Samsung tv and updated the IP address with my system IP address and in the device manager I added all the details what was required and after clicking on add button then I faced the above errors.
      Can anyone help me like how can we either create the build in .tmg format because Usb demo packaging tool is not supported now.  Or how can I connect the SamsungTv with Tizen Studio using the Device Manager. 
      I've read and went through the documentation from official site still I face this issue.
    • By Samsung Newsroom
      The Samsung Odyssey OLED G8 (model name: G80SD) has been making waves in the tech world since its launch on June 4. Garnering accolades like Editor’s Choice, 5-Star Ratings and Highly Recommended badges from multiple review publications, this monitor is being celebrated for its next-level OLED experience and new AI capabilities.
       
      ▲ Samsung Odyssey OLED G8 (G80SD) has been recognized by many leading outlets as a top-rated gaming monitor
       
      The Odyssey OLED G8 is the 32” flat OLED gaming monitor with 4K UHD (3840 x 2160) resolution and a 16:9 aspect ratio. It boasts innovative features such as OLED Glare Free and Samsung’s proprietary burn-in protection technology. Additionally, the monitor is powered by the NQ8 AI Gen3 processor, the same one used in Samsung’s 2024 8K TV. This processor upscales content to nearly 4K when using native Smart TV apps or Samsung Gaming Hub,1 providing a superior viewing experience.
       
      See what each of the following review outlets said about the monitor (listed below in alphabetical order):
       
      CGMagazine Forbes Home Theater Review Newsweek Trusted Reviews  
       
      Groundbreaking Innovations in Gaming Monitors
      Forbes noted that “Samsung has taken the wraps off two cutting edge new additions to its acclaimed Odyssey range of premium gaming monitors, both equipped with advanced features the likes of which we haven’t seen in the monitor world before.”
       
      “What really sets the S32G80SD apart, though, is a trio of ground-breaking new features for the monitor world,” said Forbes. These features include:
       
      The Pulsating Heat Pipe, the first of its kind in a monitor to help prevent burn-in, “delivered in an ultra-thin screen design…can work on an extremely local level, efficiently only impacting the parts of the screen Samsung’s processor identifies as being potential ‘hot spots’.” The OLED Glare Free screen, which “‘rejects’ both ambient and direct light sources almost defies belief… This helps you appreciate the screen’s OLED-powered contrast better and removes one of the most common gaming distractions.” The S32G80SD-optimized NQ8 AI Gen 3 processor, which demonstrates “increased crossover between the gaming monitor and TV worlds.”  
      ▲ The Odyssey OLED G8 is the first monitor in the world to apply a Pulsating Heat Pipe that helps prevent burn-in


      Versatile Gaming and Entertainment Powerhouse
      In addition to Forbes’ recognition, both Home Theater Review and Trusted Reviews acknowledged the groundbreaking features of the G80SD, awarding it top ratings and prestigious accolades.
       
      Trusted Reviews praised the Odyssey OLED G8 with a 5-star rating and their coveted Highly Recommended badge. They noted that the monitor delivers on its multipurpose promises, providing both immersive video performance and exceptional gaming experiences. “Samsung’s S32G80SD is on a mission to take the brand’s gaming monitor division to a whole new level,” said Trusted Reviews. For those looking for a well-rounded monitor, “There’s no other monitor out there right now that does such a fantastic job of switching between its gaming and video ‘sides’ without either feeling compromised by the other.”
       
      Home Theater Review echoed the praise, awarding Samsung’s OLED G8 their 2024 Editors’ Choice award and giving it an overall 5-star rating. They note that Samsung has “cracked the code” with the Odyssey OLED G8, stating that “whether you’re a casual gamer or a die-hard esports competitor, the G8 has you covered… For gamers, the G8 is an absolute dream.”
       
      The outlet was also impressed by the monitor’s versatility, highlighting that “the integrated Samsung Gaming Hub transforms the display into a full-fledged gaming platform.” In fact, the Odyssey OLED G8 can also be used as a standalone TV through the Smart TV functionality, providing access to all the latest apps and streaming services. Home Theater Review concluded, “The G8 delivers an unparalleled experience… setting a new gold standard for all-in-one monitors.”
       
      ▲ The Odyssey OLED G8’s Core Lighting+ provides a more immersive ambiance to the gaming environment
       

      Superior Performance and Design
      Following the recognition from Home Theater Review and Trusted Reviews, both Newsweek and CGMagazine also selected the G80SD as their Editor’s Choice, further affirming its standout performance and design.
       
      Newsweek added to the praise, stating, “The Samsung 32G80SD is a fast 4K OLED monitor with a good smart TV interface and the ability to act as a smart home hub. The display delivers an incredibly fast refresh rate at full 4K resolution and a super fast response rate to give you as much of an edge as you can.” Newsweek also commended the monitor’s “stealthy” and slim design. They also described it as easy to install, taking less than five minutes to do so without any tools.
       
      Impressed by these features, Newsweek credited the Samsung OLED G8 with their Editors’ Choice Award, emphasizing that the display provides “several upgrades to your PC or even a next gen console.”
       
      CGMagazine awarded the Samsung OLED G8 with their Editor’s Choice accolade, giving the monitor an impressive review score of 9 out of 10. They remarked, “The Samsung Odyssey OLED G80SD struts the most when it is pedaling its breakneck 240hz refresh rate over its stunning 4K display.” They were particularly impressed by the monitor’s imagery, noting, “Where the Samsung Odyssey OLED G80SD separates itself from the rest of the pack is with onboard NQ8 AI Gen3 Processing…it feels like it’s the first time you’re seeing a game again through a fresh lens.”
       
      ▲ Samsung Odyssey OLED G8 (G80SD) has been recognized by many leading outlets as a top-rated gaming monitor
       
       
      1 Gaming Hub is available in select countries, with app availability varying by region. AI upscaling functions only when using the built-in Smart TV apps and Samsung Gaming Hub. (PQ priority mode)
      View the full article
    • By Samsung Newsroom
      “Walking along the beach takes me back to my childhood, looking at reflections on the water and the way the horizon keeps changing”
      — Serge Hamad, photographer
       
      Serge Hamad is a visual storyteller whose multifaceted talents as a journalist, photographer and artist have informed the rich tapestry of his work. Having documented sociopolitical issues in war zones earlier in his career as a journalist, he now captures calm and serene seaside images as a photographer. Hamad’s work, including the highly acclaimed “Relax” series, captures tranquility in his signature style and also supports human rights groups with its impact.
       
      Born in the Mediterranean, Hamad has been profoundly influenced by his lifelong fascination with the sea. His photography, characterized by comforting and reflective qualities, has gained widespread recognition from global audiences. Since joining Samsung Art Store in 2020, his work has gained an even wider following as people have interacted with his art in new ways.
       
      This June, Samsung Art Store added two more of his notable pieces — “Beach #61” in the “Colors of Pride” collection and “Beach #64” in “Hello Summer.”
       
      In an interview with Samsung Newsroom, Hamad shared his creative process and how his background and life experiences shape his art, as well as the profound impact his evocative images have had on viewers.
       
      ▲ Serge Hamad
       
       
      An Artist’s Journey
      Q: Please describe your journey into the world of visual arts. What inspired you to move in that direction?
       
      Earlier in my career, I used photography and videography to document various sociopolitical issues as a war zone journalist. In 2011, I decided to shift my focus to capturing more sincere and lighthearted scenes with my lens.
       
      With the “Relax” series,1 my first body of work in fine art, I wanted to share peaceful and placid images with human rights organizations and support them with the proceeds. The public response well surpassed my expectations, so I decided to continue on this path.
       
      Q: Your “Relax” series is well known. What inspired you to shoot a series on the beach?
       
      I was born on the Mediterranean coast, and the sea has always fascinated me. Walking along the beach takes me back to my childhood. I used to love looking at reflections on the water and the way the horizon kept changing.
       
      My multicultural background, being half North African and half Westerner, has profoundly influenced my artistic vision and the themes I explore in my work. This unique blend of cultures allows me to draw from a rich tapestry of traditions and aesthetics, especially when it comes to colors. It has given me a broader perspective, enabling me to see and interpret the world through diverse lenses.
       
      Q: How do you make your beach photography so engaging?
       
      When it comes to capturing an engaging image, planning and timing are crucial. Planning is more than just checking the weather before a shoot — it’s also about selecting the right filming location. For example, I would go to a beach near a marina if I want a shot of a boat on the horizon. To capture a pelican diving into the sea, I would pick a specific beach and go there an hour before sunset. The rest of the atmosphere depends on human interactions with natural elements.
       
      Q: Why does the beach hold so much significance for you?
       
      Consistency is my top priority when developing a collection. I started the “Relax” series at the beach because it is one of the most relaxing places on the planet for millions of people, including myself. I enjoy working at the beach because it reminds me of both the Sahara Desert and the Mediterranean Sea from my childhood.
       
      “I started the ‘Relax’ series at the beach because it is one of the most relaxing places on the planet for millions of people, including myself.”
       
       
      Collaborating With Samsung Art Store
      Q: How do you choose which pieces to share with Samsung Art Store? What emotions or themes do you wish to share? 
       
      I work with Samsung to select pieces that align with a particular themed curation because that way, I can focus on the message delivered to viewers. I strive to convey tranquility and harmony through my pieces on Samsung Art Store.
       
      Q: Samsung Art Store featured “Beach #61” and “Beach #64” in its June collections. Can you share the meaning behind these pieces?
       
      ▲ “Beach #61” (2023)
       
      “Beach #61” was shot in California. The rainbow-colored lifeguard house symbolizes tolerance.
       
      ▲ “Beach #64” (2023)
       
      “Beach #64” is more of a friendly invitation for the viewer to follow my footsteps on a walk at the beach.
       
      Q: Of all the works you’ve made available on Samsung Art Store, what are your three favorites?
       
      I’d have to choose “Beach #4,” “Beach #37” and “Beach #32.” All three photographs show how humans share nature with seabirds.
       
      ▲ “Beach #4” (2011)
       
      “Beach #4” uses a minimalistic approach to convey serenity with natural lines and colors. Before taking this photo, I wondered who would call a taxi to go surfing. It was only when the car approached that I realized it was a lifeguard vehicle.
       
      ▲ “Beach #37” (2016)
       
      I couldn’t resist capturing this scene of a seagull resting on a dune that looked like a charcoal painting.
       
      ▲ “Beach #32” (2014)
       
      Even if the seagulls in “Beach #32” had left and weren’t in the shot, we would still know that they had shared the dune with humans and enjoyed it together. The footprints of both humans and birds on the same dune symbolize their different influences on nature.
       
      “Embracing culture in our homes is always a great idea, and The Frame does just that.”
       
       
      Embracing the Future
      Q: As an artist, how do you feel about the impact of technology on the art world?
       
      Technology has always impacted my work and influenced my approach to photography. As a photographer, I use various tools every day to express myself — and different situations and subjects calls for different tools. Improving technology means giving artists more powerful capabilities to express themselves, so I embrace both analog and digital tools.
       
      In my opinion, artists in all kinds of disciplines have always benefited from innovations. During my career as a photographer, I have seen the popularization of imaging technology to a level that made it accessible to everyone. I believe this has created new artists and will continue to do so. The main thing to keep in mind, though, is that technology is a tool. The artistic process happens in your own mind.
       
      Q: How do you believe your collaboration with Samsung Art Store and The Frame has changed the way people appreciate art in their homes?
       
      The Frame is a brilliant concept, making art more accessible to a wider audience. Embracing culture in our homes is always a great idea, and The Frame does just that.
       
      Q: Is there anything else you would like to share with our readers?
       
      I’m working on a new series called “A table here, a table there.” I plan to spend a few months traveling along the U.S. West Coast to produce it and hope to share the collection by the end of this year.
       
       
      1 All the “Beach” artwork on Samsung Art Store are part of the “Relax” series.
      View the full article





×
×
  • Create New...