473,396 Members | 1,891 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,396 software developers and data experts.

concise code (beginner)

I have about 30 pages (10 * 3 pages each) of code like this
(following). Can anyone suggest a more compact way to
code the exception handling? If there is an exception, I need
to continue the loop, and continue the list.

Steve.

-----------------------------------
for dev in devs
try:
dev.read1()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read2()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read3()
except
print exception
remove dev from devs

etc.
Sep 5 '07 #1
22 1238
bambam wrote:
I have about 30 pages (10 * 3 pages each) of code like this
(following). Can anyone suggest a more compact way to
code the exception handling? If there is an exception, I need
to continue the loop, and continue the list.

Steve.

-----------------------------------
for dev in devs
try:
dev.read1()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read2()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read3()
except
print exception
remove dev from devs
for method in (DevClass.read1, DevClass.read2, ...):
for dev in devs:
try:
method(dev)
except:
print execption
remove dev from devs

Diez
Sep 5 '07 #2
Try adding all the functions into a list such as;

funcList = [dev.read1, dev.read2, dev.read3]

for func in funcList:
for dev in devs:
try:
func()
except:
print exception
remove dev from devs

Wes.

On 05/09/07, bambam <da***@asdf.asdfwrote:
I have about 30 pages (10 * 3 pages each) of code like this
(following). Can anyone suggest a more compact way to
code the exception handling? If there is an exception, I need
to continue the loop, and continue the list.

Steve.

-----------------------------------
for dev in devs
try:
dev.read1()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read2()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read3()
except
print exception
remove dev from devs

etc.
--
http://mail.python.org/mailman/listinfo/python-list
Sep 5 '07 #3
bambam a écrit :
I have about 30 pages (10 * 3 pages each) of code like this
(following). Can anyone suggest a more compact way to
code the exception handling? If there is an exception, I need
to continue the loop, and continue the list.

Steve.

-----------------------------------
for dev in devs
try:
dev.read1()
except
print exception
remove dev from devs

for method_name in ['read1', 'read2', 'read3']:
for dev in devs:
try:
meth = getattr(dev, method_name)
except AttributeError, e:
# should not happen, but we want to handle it anyway
your_code_here()
else:
try:
meth()
except (SomePossibleException, SomeOtherPossibleException), e:
print e
# do what's needed to remove dev from devs
# paying attention not to screw the looping machinery...

(snip)
Sep 5 '07 #4
Sorry, just seen a mistake in my code, however Diez beat me to what I
was actually thinking!

Wes

On 05/09/07, Wesley Brooks <we*******@gmail.comwrote:
Try adding all the functions into a list such as;

funcList = [dev.read1, dev.read2, dev.read3]

for func in funcList:
for dev in devs:
try:
func()
except:
print exception
remove dev from devs

Wes.

On 05/09/07, bambam <da***@asdf.asdfwrote:
I have about 30 pages (10 * 3 pages each) of code like this
(following). Can anyone suggest a more compact way to
code the exception handling? If there is an exception, I need
to continue the loop, and continue the list.

Steve.

-----------------------------------
for dev in devs
try:
dev.read1()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read2()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read3()
except
print exception
remove dev from devs

etc.
--
http://mail.python.org/mailman/listinfo/python-list
Sep 5 '07 #5
First, thank you.

All of the suggestions match what we want to do much better
than what we are doing. We have a script, written in python,
which is doing testing. But the python script doesn't look anything
like the test script, because the python script is written in python,
and the test script is a series of instrument command macros.

By putting the script sequence into a collection that is separate
from the python code, we will get script list that general engineering
will find much easier to understand:
def script(self)
def a0010(): global self; self.power_on([self.dev]);
def a0020(): global self; self.dev.addLog([self.name, ' started']);
def a0030(): global self; self.resetMinuteReg([self.dev]);
def a0040(): global self; self.disablePLmessages([self.dev]);
def a0050(): global self; self.dev.testH.writePLram((PL.BCAL12<<8));

Most of these won't generate exceptions: exceptions are expected
only on the calculations following the reads, but of course the
problem is that the exceptions are unexpected... The semi-colons
were already there, I've just stripped out the loops and exception
handlers. The original code is a mixture of functions with internal
and external [dev] loops.

Because of the sequence names, I have a choice of using generated
call names (James), or a static list of some sort.

Other possibilities might be
1) Using dir(script) to get a list of line functions
2) Using frame.f_lineno instead of line functions
3) Use an expression list instead of line functions
4) Multiple script objects with yield on each line.

The devices are in a list, and are removed by using pop(i). This
messes up the loop iteration, so it is actually done by setting a
flag on each device in the exception handler, with ANOTHER
loop after each write/read/calculate sequence. I left that out also
because I wanted to show the intended logic.

I'm not wedded to the idea of using sequence numbers for
line functions. Comments are welcome. Sorry I didn't include
this level of detail in the original, but I am interested in the
question at all levels.

Note that this achieves synchronous parallel processing --
another area I know nothing about -- but I'm just starting
with the code as I got it, and coding so far was focused
on hardware integration.

Steve.

"bambam" <da***@asdf.asdfwrote in message
news:13*************@corp.supernews.com...
>I have about 30 pages (10 * 3 pages each) of code like this
(following). Can anyone suggest a more compact way to
code the exception handling? If there is an exception, I need
to continue the loop, and continue the list.

Steve.

-----------------------------------
for dev in devs
try:
dev.read1()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read2()
except
print exception
remove dev from devs

for dev in devs
try:
dev.read3()
except
print exception
remove dev from devs

etc.

Sep 6 '07 #6
On Thu, 06 Sep 2007 15:44:57 +1000, bambam wrote:
def script(self)
def a0010(): global self; self.power_on([self.dev]);
def a0020(): global self; self.dev.addLog([self.name, ' started']);
def a0030(): global self; self.resetMinuteReg([self.dev]);
def a0040(): global self; self.disablePLmessages([self.dev]);
def a0050(): global self; self.dev.testH.writePLram((PL.BCAL12<<8));
What is this ``global self`` meant to do? And the first line is missing a
colon at the end.

Ciao,
Marc 'BlackJack' Rintsch
Sep 6 '07 #7
On Thu, 06 Sep 2007 15:44:57 +1000, bambam wrote:
First, thank you.

All of the suggestions match what we want to do much better than what we
are doing. We have a script, written in python, which is doing testing.
But the python script doesn't look anything like the test script,
because the python script is written in python, and the test script is a
series of instrument command macros.

By putting the script sequence into a collection that is separate from
the python code, we will get script list that general engineering will
find much easier to understand:
def script(self)
def a0010(): global self; self.power_on([self.dev]);
def a0020(): global self; self.dev.addLog([self.name, ' started']);
def a0030(): global self; self.resetMinuteReg([self.dev]);
def a0040(): global self; self.disablePLmessages([self.dev]);
def a0050(): global self; self.dev.testH.writePLram((PL.BCAL12<<8));
That's rather hideous code, and I'm not sure I understand what it's
supposed to do. As far as I can tell, you have a function called "script"
which takes a single argument. It then defines five functions, throws
them away, and returns None.

"self" is not a reserved word in Python (although perhaps it should
be...) but it has a VERY strong convention for when to use it: when
defining instance methods, it is used for the automatically-supplied
instance argument. The above functions look like they were written by
somebody who has just copied some methods from another piece of code
without understanding what they were seeing. (Sorry.)

Most of these won't generate exceptions: exceptions are expected only on
the calculations following the reads, but of course the problem is that
the exceptions are unexpected...
I don't think so. I think they are expected. You say so yourself.

The semi-colons were already there,
Fine. Time to remove them.

I've just stripped out the loops and exception handlers. The original
code is a mixture of functions with internal and external [dev] loops.

Because of the sequence names, I have a choice of using generated call
names (James), or a static list of some sort.

Other possibilities might be
1) Using dir(script) to get a list of line functions 2) Using
frame.f_lineno instead of line functions 3) Use an expression list
instead of line functions 4) Multiple script objects with yield on each
line.
My brain hurts.

The devices are in a list, and are removed by using pop(i). This messes
up the loop iteration, so it is actually done by setting a flag on each
device in the exception handler, with ANOTHER loop after each
write/read/calculate sequence. I left that out also because I wanted to
show the intended logic.
Try something like this: define a module holding the device functions.
Rather than have the functions access a global variable, which is almost
always a bad thing to do, have them take a single argument.

# module device

__all__ = [a0010, a002, a0030, a0040, a0050]

def a0010(obj):
obj.power_on([obj.dev])
def a0020(obj):
obj.dev.addLog([obj.name, ' started'])
def a0030(obj):
obj.resetMinuteReg([obj.dev])
def a0040(obj):
obj.disablePLmessages([obj.dev])
def a0050(obj):
obj.dev.testH.writePLram((PL.BCAL12<<8))
Now define a second module to call those functions.

# module tester

import device
passed = device.__all__[:] # a copy of the list
some_object = Something() # I have no idea what this should be...

for function in device.__all__:
try:
function(some_object)
except Exception, e:
print e
passed.remove(function)

print "The following functions passed:"
for function in passed:
print function
And then I suggest you spend some time reading up about doc tests and
unit tests.

Hope this helps,

--
Steven.

Sep 6 '07 #8
Hi Steven.

Looking at your code, why are you naming the value
__all__? It looks like a built-in variable?

Unless there is an automatic way to correctly get the
function list, I will probably be better off giving the lines
sequence numbers, and generating the function list from
that.

Steve.

"Steven D'Aprano" <st***@REMOVE-THIS-cybersource.com.auwrote in message
news:13*************@corp.supernews.com...
On Thu, 06 Sep 2007 15:44:57 +1000,
"bambam" <da***@asdf.asdfwrote in message
news:13*************@corp.supernews.com...
>
Try something like this: define a module holding the device functions.

# module script

__all__ = [a0010, a002, a0030, a0040, a0050]
....
# module test1
import script
class Test1(pl_test.Pl_test)
"""ADC calibration and Battery Voltage calibration"""
def run(self,devlist):
for line in script.__all__:
for self.dev in devlist
if self.dev.active and not self.dev.failed
try
line(self)
except Exception,e:
print e
self.dev.active=False

print "The following devices passed:"
for dev in devlist
if dev.active and not dev.failed
print dev

print "The following devices need to be re-tested"
for dev in devlist
if not dev.active
print dev

print "The remaining devices failed"
for dev in delist
if dev.active and dev.failed
print dev
--
Steven.

Sep 7 '07 #9
On Fri, 07 Sep 2007 12:03:26 +1000, bambam wrote:
Hi Steven.

Looking at your code, why are you naming the value __all__? It looks
like a built-in variable?
When you say:

from module import *

Python looks in the module for a list of names called "__all__", and
imports only the names in that list. It is recommended that your modules
take advantage of that feature. I'm just using the same name.

Unless there is an automatic way to correctly get the function list, I
will probably be better off giving the lines sequence numbers, and
generating the function list from that.
I don't understand what you mean by "giving the lines sequence numbers".
Where do they come from? How do you go from sequence numbers to functions?

As far as I am concerned, the right behavior is for the module containing
the functions to define which functions need to be tested. Since modules
aren't actually intelligent, that means some person needs to list the
functions. Why list the function NAME when you can list the function
itself?

Sep 7 '07 #10
In message <13*************@corp.supernews.com>, bambam wrote:
The devices are in a list, and are removed by using pop(i). This
messes up the loop iteration, so it is actually done by setting a
flag on each device in the exception handler, with ANOTHER
loop after each write/read/calculate sequence.
Why not just build a new list? E.g.

newdevs = []
for dev in devs :
...
if not removing_dev :
newdevs.append(dev)
#end if
#end for
devs = newdevs
Sep 7 '07 #11
On Sep 6, 7:44 am, "bambam" <da...@asdf.asdfwrote:
First, thank you.

All of the suggestions match what we want to do much better
than what we are doing. We have a script, written in python,
which is doing testing. But the python script doesn't look anything
like the test script, because the python script is written in python,
and the test script is a series of instrument command macros.

By putting the script sequence into a collection that is separate
from the python code, we will get script list that general engineering
will find much easier to understand:

def script(self)
def a0010(): global self; self.power_on([self.dev]);
def a0020(): global self; self.dev.addLog([self.name, ' started']);
def a0030(): global self; self.resetMinuteReg([self.dev]);
def a0040(): global self; self.disablePLmessages([self.dev]);
def a0050(): global self; self.dev.testH.writePLram((PL.BCAL12<<8));
Look at generative tests in py.test or nose: they are a much
better solution for what you are doing.

Michele Simionato

Sep 7 '07 #12
On Sep 6, 1:56 pm, Karthik Gurusamy <kar1...@gmail.comwrote:
That said, it may be a good future language enhancement to define a
reasonable consistent behavior for an iterator over a changing
collection. This occurs quite common when we walk a collection and
usually delete the current item.

For a sequence, what the expected behavior is quite obvious (just
remove this element and go over to the next). For other collections
like dictionary/set, again if the operation is delete, the expected
behavior is obvious. If we are doing insertion, for sequence a well-
defined behavior can be formulated (based on insert before or after
current position -- if after we will see it in the walk, if before we
won't see it) . For dict/set I see this isn't simple (as based on hash
key we may insert ahead or later of the current 'cursor'/position.
Removing from a list while you iterate will had quadratic performance
though. O(n) to find the element you wish to remove and move over
everything after it, multiplied by your original O(n) of iterating,
gives O(n**2). That, combined with the fact that adding enough
accounting to invalidate or update your iterator would be a cost on
all the correct users too, is why it's not done.

The best approach in almost all cases in python is to create a new
container as you iterate over the old one. After you finish, you
replace the old one with the new one. This lets you keep an overall
O(n) performance, as well as avoiding the tricky semantics.

--
Adam Olsen, aka Rhamphoryncus

Sep 7 '07 #13
Removing from a list while you iterate will had quadratic performance

Anecdote:
I was doing a route-finding program for a railway
ticketing system. My replacement explained to my boss
that it couldn't be done: the problem was one of that
class of problems that has no good optimum solution.
My replacement told me this while we were doing the
hand-over. I told him that the route-finding optimiser
was already complete.

It did a search of possible routes over the 3 loops, 15
branches and 75 stations in less time than it took to
redraw the screen, and that was without even bothering
to recode the tail recursion.

In my present case, the lists I am working with have ~10
elements. Defined behaviour, even if it was inapropriate
for my needs, would be welcome. Language enhancement
that make the code clearer and easier would be welcome.
Optimisers for large sets I could continue to do by other means.

Raw cPython is probably not a good choice for real-time
signal processing, but that's not what I am doing.
O(n) to find the element you wish to remove and move over
everything after it,
Is that how lists are stored in cPython? It seems unlikely?

Steve.

"Rhamphoryncus" <rh****@gmail.comwrote in message
news:11*********************@r34g2000hsd.googlegro ups.com...
On Sep 6, 1:56 pm, Karthik Gurusamy <kar1...@gmail.comwrote:
>That said, it may be a good future language enhancement to define a
reasonable consistent behavior for an iterator over a changing
collection. This occurs quite common when we walk a collection and
usually delete the current item.

Sep 10 '07 #14
I'm testing a series of scripts.
The scripts are testing a series of hardware devices.
The scripts are a sequence of device commands.
The scripts have sequence numbers.

I am adding exception handling to the to the 'inner
platform' that executes sequences.

I am doing this because testing of error cases has
demonstrated that the 'inner platform' is fragile.

http://worsethanfailure.com/Articles...rm_Effect.aspx

on the other hand:
http://www.amazon.com/gp/cdp/member-...tReview&page=5
and
http://blade.nagaokaut.ac.jp/cgi-bin...by-talk/207645

In any case, the hardware test instruments are not programmable
in python, and most of them do not have loop constructs in the
platform language.

I'm not sure how you are reading these messages. Can you see the
thread history?

Steve.

"Steven D'Aprano" <st****@REMOVE.THIS.cybersource.com.auwrote in message
news:pa*********************@REMOVE.THIS.cybersour ce.com.au...
On Fri, 07 Sep 2007 12:03:26 +1000, bambam wrote:
>Hi Steven.

Looking at your code, why are you naming the value __all__? It looks
like a built-in variable?

When you say:

from module import *

Python looks in the module for a list of names called "__all__", and
imports only the names in that list. It is recommended that your modules
take advantage of that feature. I'm just using the same name.

>Unless there is an automatic way to correctly get the function list, I
will probably be better off giving the lines sequence numbers, and
generating the function list from that.

I don't understand what you mean by "giving the lines sequence numbers".
Where do they come from? How do you go from sequence numbers to functions?

As far as I am concerned, the right behavior is for the module containing
the functions to define which functions need to be tested. Since modules
aren't actually intelligent, that means some person needs to list the
functions. Why list the function NAME when you can list the function
itself?

Sep 10 '07 #15
I can try that, but I'm not sure that it will work. The problem
is that devList is just a pointer to a list owned by someone else.
Making devList point to a new list won't work: I need to make
the parent list different. I could do this by adding an extra
level of indirection, but I think at the risk making the call
environment more complex.

Still, the main thing is that I hadn't even thought of doing it
that way.

Thank you,

Steve.
"Lawrence D'Oliveiro" <ld*@geek-central.gen.new_zealandwrote in message
news:fb**********@lust.ihug.co.nz...
In message <13*************@corp.supernews.com>, bambam wrote:
>The devices are in a list, and are removed by using pop(i). This
messes up the loop iteration, so it is actually done by setting a
flag on each device in the exception handler, with ANOTHER
loop after each write/read/calculate sequence.

Why not just build a new list? E.g.

newdevs = []
for dev in devs :
...
if not removing_dev :
newdevs.append(dev)
#end if
#end for
devs = newdevs

Sep 10 '07 #16
In message <13*************@corp.supernews.com>, bambam wrote:
Thank you,
Don't top-post.
Sep 10 '07 #17
bambam <da***@asdf.asdfwrote:
O(n) to find the element you wish to remove and move over
everything after it,

Is that how lists are stored in cPython? It seems unlikely?
So-called "lists" in Python are stored contiguously in memory (more like
"vectors" in some other languages), so e.g. L[n] is O(1) [independent
from n] but removing an element is O(N) [as all following items need to
be shifted 1 place down].
Alex
Sep 10 '07 #18
I have a number of news readers here, but all of them work
better with top-posting, and in none of them is top posting
a problem. What software are you using?

Steve.
"Lawrence D'Oliveiro" <ld*@geek-central.gen.new_zealandwrote in message
news:fc**********@lust.ihug.co.nz...
In message <13*************@corp.supernews.com>, bambam wrote:
>Thank you,

Don't top-post.

Sep 10 '07 #19
A: Skid-marks in front of the hedgehog.
Q: What's the difference between a dead hedgehog on the road, and a dead
top-poster on the road?
Sep 10 '07 #20
On Mon, 10 Sep 2007 17:42:16 +1000, bambam wrote:
"Lawrence D'Oliveiro" <ld*@geek-central.gen.new_zealandwrote in
message news:fc**********@lust.ihug.co.nz...
>In message <13*************@corp.supernews.com>, bambam wrote:
>>Thank you,

Don't top-post.

I have a number of news readers here, but all of them work
better with top-posting, and in none of them is top posting
a problem.
This is not about *you* having any problems but all the people who must
read your top postings. Most of them, at least in this news group, expect
that a text read from top to bottom follows time from earliest to latest.
And as most here don't top post, a conversation with a top poster starts
to get mixed and even harder to follow.

Ciao,
Marc 'BlackJack' Rintsch
Sep 10 '07 #21
"Lawrence D'Oliveiro" <ld*@geek-central.gen.new_zealandwrote in
message
news:fb**********@lust.ihug.co.nz...

Why not just build a new list? E.g.

newdevs = []
for dev in devs :
...
if not removing_dev :
newdevs.append(dev)
#end if
#end for
devs = newdevs

En Sun, 09 Sep 2007 22:58:54 -0300, bambam <da***@asdf.asdfescribi?:

I can try that, but I'm not sure that it will work. The problem
is that devList is just a pointer to a list owned by someone else.
Making devList point to a new list won't work: I need to make
the parent list different. I could do this by adding an extra
level of indirection, but I think at the risk making the call
environment more complex.

Then use [:] to *replace* all the old list items, do not merely rebind
the name. That last statement
should be, instead:

devs[:] = newdevs

(Please don't top-post)

--
Gabriel Genellina

Sep 10 '07 #22
"Lawrence D'Oliveiro" <ld*@geek-central.gen.new_zealandwrote in message
news:fb**********@lust.ihug.co.nz...
>>
Why not just build a new list? E.g.

newdevs = []
for dev in devs :
...
if not removing_dev :
newdevs.append(dev)
#end if
#end for
devs = newdevs
En Sun, 09 Sep 2007 22:58:54 -0300, bambam <da***@asdf.asdfescribi�:
I can try that, but I'm not sure that it will work. The problem
is that devList is just a pointer to a list owned by someone else.
Making devList point to a new list won't work: I need to make
the parent list different. I could do this by adding an extra
level of indirection, but I think at the risk making the call
environment more complex.
Then use [:] to *replace* all the old list items, do not merely rebind the
name. That last statement
should be, instead:

devs[:] = newdevs

(Please don't top-post)

--
Gabriel Genellina

Sep 11 '07 #23

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

5
by: Richard B. Kreckel | last post by:
Hi! I was recently asked what book to recommend for a beginner in C++. I am convinced that you needn't study C in depth before learning C++ (though it helps), but cannot find any beginner's...
8
by: Grrrbau | last post by:
I'm a beginner. I'm looking for a good C++ book. Someone told me about Lafore's "Object-Oriented Programming in C++". What do you think? Grrrbau
7
by: Rensjuh | last post by:
Hello, does someone have / know a good C++ tutorial for beginnners? I would prefer Dutch, but English is also fine. Hoi, heeft / kent iemand nog een goede C++ tutorial voor beginners? Het liefste...
2
by: Dean Arnold | last post by:
I checked the 7.4 PL/pgSQL docs but couldn't find a concise grammar description e.g. a BNF diagram...is any such thing available online ? I'm looking to possibly port a stored procedure debugger...
3
by: kim | last post by:
Does anyone know of concise c# & .NET study materials...like all the keywords in one place, etc?
2
by: mark4asp | last post by:
Hello, I am converting an app from JavaScript to ASP.NET I have the following JavaScript 'associative array'. Is there a concise way to create an analogous structure in .NET Framework using...
43
by: chookeater | last post by:
Hi All. My introduction to VB was through VB.Net but I am working with a lot of code that was written by programmers with pre-dotnet experience. As a result there are lots of function calls and...
18
by: mitchellpal | last post by:
Hi guys, am learning c as a beginner language and am finding it rough especially with pointers and data files. What do you think, am i being too pessimistic or thats how it happens for a beginner?...
4
by: Kurien Mathew | last post by:
Hello, What will be a concise & efficient way to convert a list/array.array of n elements into a hex string? For e.g. given the bytes I would like the formatted string 0x74 0x6f 0x6e 0x67...
0
by: ryjfgjl | last post by:
In our work, we often receive Excel tables with data in the same format. If we want to analyze these data, it can be difficult to analyze them because the data is spread across multiple Excel files...
0
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
0
BarryA
by: BarryA | last post by:
What are the essential steps and strategies outlined in the Data Structures and Algorithms (DSA) roadmap for aspiring data scientists? How can individuals effectively utilize this roadmap to progress...
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
marktang
by: marktang | last post by:
ONU (Optical Network Unit) is one of the key components for providing high-speed Internet services. Its primary function is to act as an endpoint device located at the user's premises. However,...
0
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can...
0
jinu1996
by: jinu1996 | last post by:
In today's digital age, having a compelling online presence is paramount for businesses aiming to thrive in a competitive landscape. At the heart of this digital strategy lies an intricately woven...
0
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.