投稿時間:2023-07-06 22:18:32 RSSフィード2023-07-06 22:00 分まとめ(22件)

カテゴリー等 サイト名等 記事タイトル・トレンドワード等 リンクURL 頻出ワード・要約等/検索ボリューム 登録日
IT 気になる、記になる… Nothing、「Ear (stick)」にノイズリダクション機能を追加 https://taisy0.com/2023/07/06/173732.html earstick 2023-07-06 12:32:04
IT 気になる、記になる… Nothing、ワイヤレスイヤホン「Ear (2)」のブラックモデルを正式発表 https://taisy0.com/2023/07/06/173729.html nothing 2023-07-06 12:19:30
AWS AWSタグが付けられた新着投稿 - Qiita AWS素人の学習ロードマップ【初学者向け】 https://qiita.com/nobu19119516/items/ec1875d51c7c434ab12b amazo 2023-07-06 21:06:38
Ruby Railsタグが付けられた新着投稿 - Qiita インターフェースデザインツール(figma)について https://qiita.com/shinyakoki/items/61ba074ae9b6da253594 figma 2023-07-06 21:23:19
Ruby Railsタグが付けられた新着投稿 - Qiita AWS素人の学習ロードマップ【初学者向け】 https://qiita.com/nobu19119516/items/ec1875d51c7c434ab12b amazo 2023-07-06 21:06:38
海外TECH Ars Technica June extremes suggest parts of climate system are reaching tipping points https://arstechnica.com/?p=1951854 polar 2023-07-06 12:08:07
海外TECH MakeUseOf 5 Best Countdown Timer Apps for Interval Training and Workouts https://www.makeuseof.com/best-countdown-timer-apps-interval-training-workouts/ needs 2023-07-06 12:15:17
海外TECH MakeUseOf Why Telegram Is Finally Introducing Stories https://www.makeuseof.com/why-telegram-is-finally-introducing-stories/ stories 2023-07-06 12:15:15
海外TECH DEV Community Build a Full Stack Interchain dApp with Next.js, Solidity & Axelar https://dev.to/olanetsoft/build-a-full-stack-interchain-dapp-with-nextjs-solidity-axelar-8j6 Build a Full Stack Interchain dApp with Next js Solidity amp AxelarToday s blockchain ecosystem is characterized by many blockchain networks operating independently each with unique features and functionalities However this fragmentation presents challenges regarding seamless communication and collaboration between these networks To overcome these barriers a vital element that has emerged is a programmable blockchain interoperability layer The programmable blockchain interoperability layer bridges different blockchain networks facilitating the exchange of information and assets securely and efficiently It enables smooth interaction by providing a standardized framework for cross chain communication allowing various blockchain networks to interoperate seamlessly In this tutorial you will learn how to build a full stack interchain decentralized application with Next js Solidity and Axelar General message passing to send messages from one blockchain to another For a quick start you can find the complete code for this tutorial on GitHub However in the video provided below you can see the completed app that offers users the ability to Connect their walletEnter their desired message for cross chain interactionSend the message from Binance to Avalanche Getting Started with Axelar General Message PassingAxelar s General Message Passing GMP feature empowers developers by enabling them to call any function on interconnected chains seamlessly With GMP developers gain the ability to Call a contract on chain A and interact with a contract on chain B Execute cross chain transactions by calling a contract on chain A and sending tokens to chain B PrerequisiteBefore getting started you need the following prerequisites Node js and its package manager NPM version Verify Node js is installed by running the following terminal command node v amp amp npm vA basic understanding of JavaScript Solidity and React Next js Project Setup and InstallationTo start the project setup and installation quickly clone this project on GitHub Make sure you re on the starter branch using the following command git clone lt Next install the project locally after cloning it using the following command in your terminal Here s how you can install the project using npm cd fullstack interchain dapp amp amp npm i amp amp npm run devNext js will start a hot reloading development environment accessible by default at http localhost Building a Smart Contract with Hardhat and Axelar GMPIn this section you will build an interchain smart contract leveraging the Axelar GMP feature to send messages from one chain to another Navigate to the project s root folder you cloned in the previous step and then run the following commands to create a new Hardhat project mkdir hardhatcd hardhatnpm install save dev hardhatLet s get a sample project by running the command below npx hardhatWe ll go with the following options What do you want to do  Create A JavaScript Project Hardhat project root Do you want to add a gitignore Y n ›y Do you want to install this sample project s dependencies with npm hardhat nomicfoundation hardhat toolbox Y n ›yThe nomicfoundation hardhat toolbox plugin bundles all the commonly used packages and Hardhat plugins recommended to start developing with Hardhat Just in case it didn t install automatically install this other requirement with the following command npm i nomicfoundation hardhat toolboxNext install axelar network axelar gmp sdk solidity for Axelar General Message Passing SDK in Solidity and dotenv with the following command npm i axelar network axelar gmp sdk solidity dotenvTo ensure everything works run the command below in the hardhat directory npx hardhat testYou will see a passed test result in our console Delete Lock js from the test folder and delete deploy js from the scripts directory After that go to contracts and delete Lock sol The folders themselves should not be deleted Create a SendMessage sol file inside the contracts directory and update it with the following code snippet When using Hardhat file layout is crucial so pay attention SPDX License Identifier MIT SPDX license identifier specifies which open source license is being used for the contractpragma solidity Importing external contracts for dependenciesimport AxelarExecutable from axelar network axelar gmp sdk solidity contracts executable AxelarExecutable sol import IAxelarGateway from axelar network axelar gmp sdk solidity contracts interfaces IAxelarGateway sol import IAxelarGasService from axelar network axelar gmp sdk solidity contracts interfaces IAxelarGasService sol import IERC from axelar network axelar gmp sdk solidity contracts interfaces IERC sol contract SendMessage is AxelarExecutable string public value string public sourceChain string public sourceAddress IAxelarGasService public immutable gasService constructor address gateway address gasReceiver AxelarExecutable gateway Sets the immutable state variable to the address of gasReceiver gasService IAxelarGasService gasReceiver function sendMessage string calldata destinationChain string calldata destinationAddress string calldata value external payable bytes memory payload abi encode value if msg value gt gasService payNativeGasForContractCall value msg value address this destinationChain destinationAddress payload msg sender Calls the Axelar gateway contract with the specified destination chain and address and sends the payload along with the call gateway callContract destinationChain destinationAddress payload function execute string calldata sourceChain string calldata sourceAddress bytes calldata payload internal override Decodes the payload bytes into the string value and sets the state variable for this contract value abi decode payload string sourceChain sourceChain sourceAddress sourceAddress In the code snippet above we Create a SendMessage contract that extends the AxelarExecutable contractImport AxelarExecutable IAxelarGateway IAxelarGasService from the axelar network axelar gmp sdk solidity library Define four state variables value sourceChain sourceAddress and gasService The gasService state variable is immutable and can only be set during contract deployment Initialize the gasService variable with the provided gasReceiver address Create a sendMessage function that takes three string parameters destinationChain destinationAddress value and it utilizes gasService payNativeGasForContractCall with native gas Ether Utilized the gateway contract s callContract function with the specified destinationChain destinationAddress and payload parameters The execute function decodes the payload bytes into the value string and updates the state variables sourceChain and sourceAddress Setup Deployment ScriptNext create a deploy js file in the scripts folder and add the following code snippet We require the Hardhat Runtime Environment explicitly here This is optional but useful for running the script in a standalone fashion through node lt script gt You can also run a script with npx hardhat run lt script gt If you do that Hardhat will compile your contracts add the Hardhat Runtime Environment s members to the global scope and execute the script const hre require hardhat async function main const SendMessage await hre ethers getContractFactory SendMessage const sendMessage await SendMessage deploy await sendMessage deployed console log SendMessage contract deployed to sendMessage address We recommend this pattern to be able to use async await everywhere and properly handle errors main catch error gt console error error process exitCode In the code snippet above The main function has the SendMessage contract factory obtained using hre ethers getContractFactory The sendMessage contract is deployed using the SendMessage deploy method with two strings as arguments await sendMessage deployed statement ensures that the deployment is completed before moving forward The deployed contract s address is logged into the console Setup Remote Procedure Call RPC to TestnetRemote Procedure Call RPC is a protocol used for communication between client and server systems in a network or blockchain environment It enables clients to execute procedures or functions on remote servers and receive the results RPC abstracts the underlying network details and allows clients to invoke methods on servers as if they were local Before you proceed to set up RPC create a env file using the command below touch envEnsure you are in the hardhat directory before running the command above Inside the env file you just created add the following key PRIVATE KEY Add your account private key hereGetting your private account key is easy Check out this post Next set up RPC for Binance and Avalanche networks by updating the hardhat config js file with the following code snippet require nomicfoundation hardhat toolbox require dotenv config path env require solidity coverage const PRIVATE KEY process env PRIVATE KEY This is a sample Hardhat task To learn how to create your own go to lt task accounts Prints the list of accounts async taskArgs hre gt const accounts await hre ethers getSigners for const account of accounts console log account address You need to export an object to set up your config Go to lt to learn more type import hardhat config HardhatUserConfig module exports solidity networks bsc url lt gt chainId accounts PRIVATE KEY avalancheFujiTestnet url lt gt chainId accounts PRIVATE KEY mocha timeout You have successfully configured RPC for Binance and Avalanche test networks you will proceed with the smart contract deployment to those networks in the following step Deploy Smart Contract to Binance and Avalanche NetworkIn this section you will deploy the smart contract to Binance and Avalanche Testnet However before you proceed you need to specify the Axelar Gateway Service and the Gas Service Contract in the SendMessage deploy method within the deploy js file you created earlier You can find the Axelar Gas Service and Gateway contracts list for all the chains Axelar currently supports here You also need a faucet for your Binance and Avalanche accounts to ensure successful contract deployment To obtain the Binance faucet visit this link and for the Avalanche faucet access it here Deploy to Binance TestnetUpdate the deploy js file inside the scripts folder to deploy to Binance testnet with the following code snippet async function main Update arguments with the Axelar gateway and gas service on Binance testnet const sendMessage await SendMessage deploy xDdCbeaffEECeDAAEc xbEFABcfACDDdCc To deploy the contract on the Binance testnet run the following command npx hardhat run scripts deploy js network bscFor example the contract address will be displayed in your console xCbfCEaCbfEfA Deploy to Avalanche Fuji TestnetUpdate the deploy js file inside the scripts folder to deploy to Avalanche testnet with the following code snippet async function main Update arguments with the Axelar gateway and gas service on Avalanche testnet const sendMessage await SendMessage deploy xCcDbFEfBAb xbEFABcfACDDdCc To deploy the contract on the Avalanche testnet run the following command npx hardhat run scripts deploy js network avalancheFujiTestnetThe contract address will be displayed on your console for example xaDCBBdDfedf Make sure to save both deployed contract addresses as you will need them for front end integration Integrating a Nextjs Frontend Application with Smart ContractIn the previous steps you successfully built and deployed the smart contract Now it s time to interact with it from the front end just as you would typically interact with decentralized applications on the web You already have the Next js frontend project cloned and the configuration for WAGMI and Rainbowkit is set up This means you can proceed to update the existing application and connect your smart contract for testing Implementing Write Smart Contract FunctionalityInteracting with our contract is quite simple from the front end application thanks to WAGMI RainbowKit and ethers Create a env local file in the root directory using the command below touch env localEnsure you are in the root directory before running the command above Inside the env local file you just created add the following key NEXT PUBLIC AVALANCHE RPC URL NEXT PUBLIC BSC CONTRACT ADDRESS lt BSC CONTRACT ADDRESS gt NEXT PUBLIC AVALANCHE CONTRACT ADDRESS lt AVALANCHE CONTRACT ADDRESS gt Replace lt BSC CONTRACT ADDRESS gt with the contract address you deployed to the Binance testnet and replace lt AVALANCHE CONTRACT ADDRESS gt with the contract address you deployed to the Avalanche Fuji Testnet earlier in this tutorial Next implement the write functionality for the smart contract add the following code snippet to the index js file located in the pages directory const BSC CONTRACT ADDRESS process env NEXT PUBLIC BSC CONTRACT ADDRESS const AVALANCHE CONTRACT ADDRESS process env NEXT PUBLIC AVALANCHE CONTRACT ADDRESS const AVALANCHE RPC URL process env NEXT PUBLIC AVALANCHE RPC URL export default function Home const message setMessage useState const sourceChain setSourceChain useState const config usePrepareContractWrite Calling a hook to prepare the contract write configuration address BSC CONTRACT ADDRESS Address of the BSC contract abi SendMessageContract abi ABI Application Binary Interface of the contract functionName sendMessage Name of the function to call on the contract args Avalanche AVALANCHE CONTRACT ADDRESS message Arguments to pass to the contract function value ethers utils parseEther Value to send along with the contract call for gas fee const data useContractWriteData write useContractWrite config const data useWaitForTransactionData isSuccess useWaitForTransaction hash useContractWriteData hash Hash of the transaction obtained from the contract write data const handleSendMessage gt write Initiating the contract call toast info Sending message position top right autoClose hideProgressBar false closeOnClick true pauseOnHover false draggable true useEffect gt const body document querySelector body darkMode body classList add dark body classList remove dark isSuccess toast success Message sent position top right autoClose closeOnClick true pauseOnHover false draggable true useWaitForTransactionData error useContractWriteData error toast error Error sending message null darkMode useContractWriteData useWaitForTransactionData return In the code snippet above Two state variables message and sourceChain are declared using the useState hook to hold the message content and source chain respectively The usePrepareContractWrite hook is called to prepare the configuration for a contract write operation It takes several parameters such as the BSC contract address ABI function name arguments and value useContractWrite hook retrieves the contract write data and the write function based on the configuration obtained from the previous step useWaitForTransaction hook is called to wait for the transaction to be mined It takes the hash of the transaction obtained from the contract write data handleSendMessage function is defined which initiates the contract call by invoking the write function useEffect hook performs actions when certain dependencies change to display toast notifications for successful or failed message sending Update the Send button and textarea with the following code snippet to send messages and retrieve the data to be sent return lt div className border border gray rounded lg p m gt lt h className text xl font bold mb gt Send Message lt h gt lt textarea onChange e gt setMessage e target value gt lt button onClick gt handleSendMessage gt Send lt button gt lt div gt Implementing Read Smart Contract FunctionalityIn the previous step you implemented the functionality for writing to a smart contract from the front end This section will teach you how to implement the functionality for reading data from a smart contract Update the index js with the following code snippet export default function Home const value setValue useState const provider new ethers providers JsonRpcProvider AVALANCHE RPC URL Create an instance of JsonRpcProvider with Avalanche RPC URL const contract new ethers Contract AVALANCHE CONTRACT ADDRESS SendMessageContract abi provider async function readDestinationChainVariables try const value await contract value const sourceChain await contract sourceChain setValue value toString Convert the value to a string and store it setSourceChain sourceChain Store the source chain catch error toast error Error reading message Display an error toast if reading fails useEffect gt readDestinationChainVariables Call the function to read destination chain variables darkMode useContractWriteData useWaitForTransactionData return value Add value here lt gt lt gt lt span className text red gt waiting for response lt span gt In the code above An instance of the JsonRpcProvider class from the ethers js library is created using the Avalanche RPC URL AVALANCHE RPC URL as the parameter An instance of the Contract class from the ethers js library is created representing a contract on the Avalanche network It takes parameters such as the contract address AVALANCHE CONTRACT ADDRESS ABI SendMessageContract abi and provider An asynchronous function named readDestinationChainVariables is defined It attempts to read the contract s value and source chain variables using the value and sourceChain functions respectively If an error occurs during the reading process a toast notification with the message Error reading message is displayed The useEffect hook calls the readDestinationChainVariables function when certain dependencies change Trying the ApplicationHurray you have successfully built and deployed a full stack interchain decentralized application You can find the GMP transaction on Axelarscan Testnet here and the complete code for this project on GitHub What Next This post covered the utilization of Axelar s General Message Passing with callContract but that s not all the General Message Passing can do You can always explore other functionalities like callContractWithToken SendToken Deposit addresses NFT Linker JavaScript SDK etc If you ve made it this far you re awesome You can also tweet about your experience building or following along with this tutorial to show your support to the author and tag axelarcore ConclusionThis tutorial taught you how to build a full stack interchain decentralized application using Next js Solidity and Axelar s General Message Passing You learned how to deploy and send messages from Binance to Avalanche test networks and interact with them through a Next js frontend application ReferenceAxelar General Message PassingAxelar General Message Passing Video TutorialAxelar DocumentationHardhatRainbowKitNext js 2023-07-06 12:49:40
海外TECH DEV Community 🌎 Can Programming Save the Planet? https://dev.to/evergrowingdev/can-programming-save-the-planet-4ldj Can Programming Save the Planet A Guide to Sustainable CodingHumans are killing our planet We hear this all the time And for most of us we understand that there are some things we can all do to be more environmentally friendly We ve heard about things like recycling using green energy and living more sustainably but have you heard of sustainable coding Yes that s right sustainable coding is a thing As a newbie dev or someone who is learning to code you might not necessarily be thinking about what impact the code you write has on the environment Heck I d go as far as to say it s not something many experienced developers think about including myself until recently If we start to think about all the software and applications that we build there s one thing at the centre of them all and that s data centres Data centres are vast power hungry complexes that host thousands of servers that power our online lives from social media to banking to healthcare As of now these data centres consume an astonishing of the world s electricity and this is set to rise with our increasing reliance on digital services While this might not seem much at first when you factor in that global electricity generation is responsible for about a quarter of all greenhouse gas emissions you begin to grasp the scale of the issue and it s quite shocking So what can we do about it Well one answer lies in sustainable coding What is Sustainable Coding Sustainable coding also known as green coding is a term most recently popularised by various organisations seeking to tackle their impact on the environment It is a fresh and environmentally focused perspective on programming designed to ease the carbon footprint of our digital activities At its core it s about creating code that is not only functional but also energy efficient allowing computer algorithms to operate with the least energy possible This concept involves two main types of considerations StructuralStructural considerations refer to the energy metrics associated with the code blocks themselves BehaviouralBehavioural considerations focus on the energy usage associated with specific user scenarios such as scrolling through social media feeds or sending an email Green coding doesn t require a radical reinvention of existing coding practices so no need to go refactoring all your projects but rather a rethinking towards energy efficient design Each line of code that a device has to process contributes to its overall carbon emissions so the aim is to minimise the volume of code without sacrificing functionality It s more about embracing lean coding principles Green coding focuses on using the least amount of processing power to achieve the desired results This might include optimising high quality media files to make them smaller or reducing screen image resolutions all of which can lead to quicker loading times improved user experience and crucially less energy consumption The Benefits of Sustainable CodingWhen looking at the long term benefits of sustainable coding we quickly realise that green coding extends well beyond the domain of individual coding practices Recognising this tech giants like Amazon and Google have been making strides in adopting renewable energy for their operations Amazon Web Services AWS for instance has committed to powering all its operations with renewable energy by And Google is not far behind with its goal of operating carbon free data centres by So why are they doing this Let s look at some of the long term benefits of adopting sustainable coding practices Reduced Energy ConsumptionSustainable coding practices help reduce the amount of energy consumed by data centres thereby decreasing carbon emissions Improved EfficiencyBy prioritising lean code these practices make software applications more efficient using fewer resources to deliver the same results Better User ExperienceFaster loading times and optimised high quality media result in an improved user experience Enhanced SEOEnergy efficient websites perform better on search engine rankings increasing visibility and boosting organic traffic Cost SavingsBy reducing energy usage and streamlining the coding process companies can save on both operational and overhead costs Sustainable FutureThese practices play a crucial role in ensuring a sustainable future for the digital world and the planet as a whole In short sustainable coding represents a critical shift towards a more environmentally conscious approach to software development which will in the long term help companies and businesses operate their digital transformation while preserving our planet What Does Sustainable Coding Mean for Developers We ve seen how using sustainable coding can benefit organisations in the long term but what does this mean for us as individual programmers This is where the Three Pillars of Green Coding come into play where we can look at how you can introduce sustainable coding into your everyday programming practices Greener LogicYou can think of Greener Logic as the design philosophy of your code It encourages you to write energy efficient lean code that delivers the required result with minimal resource usage Every decision you make from how to implement functions to choosing libraries can have a substantial impact on your code s energy consumption Here s what you can do Write Zero Waste CodeStrive to write clean concise code eliminating unnecessary lines of code and redundancies Remember every line of code your computer processes uses energy Think about Frequency of Use and Proximity Consider how often a piece of code will be run and where it will be executed The more frequently code runs and the closer the execution is to the user the more energy it consumes Use Low Footprint Resources and Benefit driven Visual Content Choose smaller high quality media files to reduce load times and energy consumption Remember less is more when it comes to energy efficient coding Greener MethodologyThe Greener Methodology is all about how you develop your software It s about infusing sustainability into your programming workflow Some common methods include Lean and Agile Adopt lean and agile practices which focus on producing working software with the least waste Continuous Integration and Delivery CI CD Continuous integration and delivery pipelines automate much of the testing and deployment process reducing the overall energy required for these tasks Greener PlatformThe Greener Platform is where your software lives and runs Even if you have the most energy efficient code the platform it runs on can significantly impact its overall energy footprint Here are some things to consider Optimal Utilisation Only use the resources you need Overestimation can lead to unnecessary energy usage Precise Configuration Ensure your server is configured correctly for your needs An improperly configured server can use more energy than necessary Holistic MetricsTrack not only the functional performance of your software but also its energy usage Cloud MigrationConsider migrating your platforms and services to the cloud as cloud energy is more efficient for its easy scaling capabilities and cost effectiveness Other Things to ConsiderOutside of these main three pillars there are some other things you could also consider adopting for sustainable coding Using More Energy Efficient TechThe equipment you use to code can also have an impact on your digital footprint If you have the means you might want to consider using a more energy efficient laptop or computer for your programming Saving EnergyWhen you re not coding try not to leave your machine plugged in and on standby Consider turning it off and unplugging it to save energy Trust me I know this one is hard but it all helps Incorporating the Three Pillars of Green Coding and as well as the other things into your development process can feel like a big shift but every small change adds up Remember as a developer your code doesn t just sit there and does nothing it has the power to impact the world around us in more ways than we might typically think The Most Sustainable Programming LanguagesWho would have thought that there are certain programming languages that are more sustainable or greener than others When we re newbies we re mostly concerned with which programming language is the best or easiest to learn rather than the greenest However there are indeed some programming languages that are better than others when it comes to sustainability Let s take a moment to understand what makes a programming language energy efficient Efficiency is based on several factors including the energy memory and time a language demands during execution The quality of your virtual machines compilers optimised libraries and of course your source code can all contribute towards enhancing this efficiency In an interesting study a team of Portuguese researchers looked at of the most widely used programming languages to assess their energy efficiency The key question they sought to answer was Does a faster programming language necessarily equate to being more energy efficient or greener The researchers conducted extensive tests on these languages compiling and executing programs using the most advanced virtual machines compilers libraries and interpreters They then assessed each programming language s efficiency factoring in energy consumption execution time and memory usage Their research ended in identifying the top five most energy efficient programming languages CRustC AdaJavaInterestingly their findings also debunked the myth that faster programming languages are always the most energy efficient Although Java scored well in both speed and energy efficiency languages like Python Perl Ruby and others found themselves at the less efficient end of the spectrum So when it comes to green coding the choice of programming language can indeed make a difference However I m not saying you should choose one of the languages above you should feel free to learn and code in whatever language you like The good news is that you should now be aware of some of the practices you can use towards greener coding in any language ConclusionTo conclude we ve seen how code and algorithms largely hidden away behind the scenes have a surprising and significant impact on our energy consumption and by extension our planet s well being However the emergence of sustainable or green coding brings a promise of change The digital industry from data centres to individual developers has begun to acknowledge and address these environmental implications Tech giants are now leading the way with significant investments in renewable energy for their data centres And the principles of sustainable coding such as energy efficient programming languages and lean coding have begun to reshape the way we approach software development Sustainable coding is not merely a trend or a corporate buzzword it s essential for our digital future It represents the connection between technology and environmental sustainability providing a pathway for us to progress in harmony with the environment rather than at its expense When we look and consider all of the above and think about whether programming can save the planet The answer is no it can t but we can And if we can embrace greener coding practices today we can ensure a healthier more sustainable tomorrow Go lean stay green From your fellow ever growing dev Cherlock CodeIf you liked this article I publish a weekly newsletter to a community of ever growing developers seeking to improve programming skills and stay on a journey of continuous self improvement Focusing on tips for powering up your programming productivity Get more articles like this straight to your inbox Let s grow together And stay in touch on evergrowingdev 2023-07-06 12:08:40
Apple AppleInsider - Frontpage News Apple is inventing a revolutionary car audio system for Apple Car https://appleinsider.com/articles/23/07/06/apple-is-inventing-a-revolutionary-car-audio-system-for-apple-car?utm_medium=rss Apple is inventing a revolutionary car audio system for Apple CarMost of Apple s work on the Apple Car has been concerned with construction and design but the company is inventing a whole new stereo system for the vehicle If countless Apple patent applications over the years have hidden how they were really to do with Apple Vision Pro doubtlessly so many have actually been about the Apple Car Yet now it s as if Apple has given up trying to be secretive because despite still not confirming a car is coming it s filed five new patent applications that are all about audio in the car Apple does seem to have adopted the phrase enclosed environment as a euphemism for car Each of the five new patent applications uses that term and most do say it could apply to buildings but all also say vehicles and some cannot be anything else Read more 2023-07-06 12:17:13
Apple AppleInsider - Frontpage News OWC launches MacDrive 11 to bring APFS support to Windows users https://appleinsider.com/articles/23/07/06/owc-launches-macdrive-11-to-bring-apfs-support-to-windows-users?utm_medium=rss OWC launches MacDrive to bring APFS support to Windows usersOWC has launched the latest version of their MacDrive software that helps bring the SSD centric APFS support to Windows PC users MacDrive ProAvailable to download now MacDrive is a substantial update that brings Apple File System APFS support alongside the existing HSF support to users of Windows It includes both full read and write capabilities Read more 2023-07-06 12:11:47
Cisco Cisco Blog Discovering a Better Version of Myself Through Inclusive Communities https://feedpress.me/link/23532/16225286/discovering-a-better-version-of-myself-through-inclusive-communities Discovering a Better Version of Myself Through Inclusive CommunitiesBusiness Architecture Leader Prajakta took a life changing leadership role in an Inclusive Community discovering challenges and a better version of herself 2023-07-06 12:00:47
Linux OMG! Ubuntu! Ubuntu Plans to Ditch its ‘Minimal’ Install Option Because, Umm… https://www.omgubuntu.co.uk/2023/07/ubuntu-new-unified-install-plans-sound-meh Ubuntu Plans to Ditch its Minimal Install Option Because Umm…The introduction of a minimal install mode in the Ubuntu installer has been one of the distros best received features in years When selected during initial install Ubuntu s minimal install provides users with a complete fully functioning Ubuntu system but notably fewer pre installed apps The same ISO also delivers a full installation mode stacked with swathe of software the default recommended option So having added a feature that users enjoy Ubuntu is now umm removing it The plan a new unified default install This from the sounds of things will focus on a choose your own apps experience Not an awful This post Ubuntu Plans to Ditch its Minimal Install Option Because Umm… is from OMG Ubuntu Do not reproduce elsewhere without permission 2023-07-06 12:21:57
海外科学 BBC News - Science & Environment Horizon research deal with EU awaits Sunak's signature https://www.bbc.co.uk/news/science-environment-66116938?at_medium=RSS&at_campaign=KARANGA horizon 2023-07-06 12:02:31
ニュース BBC News - Home Wagner boss Prigozhin is in Russia, Belarus ruler Lukashenko says https://www.bbc.co.uk/news/world-europe-66118007?at_medium=RSS&at_campaign=KARANGA petersburg 2023-07-06 12:49:04
ニュース BBC News - Home Cardiff: Hundreds attend e-bike crash boys' Ely funeral https://www.bbc.co.uk/news/uk-wales-66118703?at_medium=RSS&at_campaign=KARANGA procession 2023-07-06 12:54:19
ニュース BBC News - Home Currys boss: Smart speaker sales have fallen off a cliff https://www.bbc.co.uk/news/66120000?at_medium=RSS&at_campaign=KARANGA customers 2023-07-06 12:25:52
ニュース BBC News - Home NatWest, Lloyds, Barclays and HSBC to be questioned over savings rates https://www.bbc.co.uk/news/business-66111098?at_medium=RSS&at_campaign=KARANGA rates 2023-07-06 12:00:52
ニュース BBC News - Home Horizon research deal with EU awaits Sunak's signature https://www.bbc.co.uk/news/science-environment-66116938?at_medium=RSS&at_campaign=KARANGA horizon 2023-07-06 12:02:31
ニュース BBC News - Home The Ashes 2023: Stuart Broad removes Steve Smith for 22 for England's fourth wicket https://www.bbc.co.uk/sport/av/cricket/66120898?at_medium=RSS&at_campaign=KARANGA The Ashes Stuart Broad removes Steve Smith for for England x s fourth wicketA huge moment for England as Stuart Broad has Steve Smith caught behind to leave Australia at lunch on day one of the third Ashes Test at Headingley 2023-07-06 12:19:26
ニュース Newsweek 土砂降りの韓国ソウルで天気中継する女性記者を襲った想定外の出来事とは...... https://www.newsweekjapan.jp/stories/world/2023/07/post-102117.php でも、傘を差してくださったお陰で雨に濡れずに放送を行うことができました」ちなみに、この男性とは放送終了後にどういう会話を交わしたのだろうかパク記者は「その方はすぐにその場を立ち去ってしまい、感謝の言葉もちゃんと伝えることができませんでした。 2023-07-06 21:00:59

コメント

このブログの人気の投稿

投稿時間:2021-06-17 05:05:34 RSSフィード2021-06-17 05:00 分まとめ(1274件)

投稿時間:2021-06-20 02:06:12 RSSフィード2021-06-20 02:00 分まとめ(3871件)

投稿時間:2020-12-01 09:41:49 RSSフィード2020-12-01 09:00 分まとめ(69件)